repo_name
stringclasses
6 values
pr_number
int64
512
78.9k
pr_title
stringlengths
3
144
pr_description
stringlengths
0
30.3k
author
stringlengths
2
21
date_created
unknown
date_merged
unknown
previous_commit
stringlengths
40
40
pr_commit
stringlengths
40
40
query
stringlengths
17
30.4k
filepath
stringlengths
9
210
before_content
stringlengths
0
112M
after_content
stringlengths
0
112M
label
int64
-1
1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/CSharp/Portable/Completion/KeywordRecommenders/DelegateKeywordRecommender.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Threading; using Microsoft.CodeAnalysis.CSharp.Extensions; using Microsoft.CodeAnalysis.CSharp.Extensions.ContextQuery; using Microsoft.CodeAnalysis.CSharp.Utilities; namespace Microsoft.CodeAnalysis.CSharp.Completion.KeywordRecommenders { internal class DelegateKeywordRecommender : AbstractSyntacticSingleKeywordRecommender { private static readonly ISet<SyntaxKind> s_validModifiers = new HashSet<SyntaxKind>(SyntaxFacts.EqualityComparer) { SyntaxKind.InternalKeyword, SyntaxKind.PublicKeyword, SyntaxKind.PrivateKeyword, SyntaxKind.ProtectedKeyword, SyntaxKind.UnsafeKeyword }; public DelegateKeywordRecommender() : base(SyntaxKind.DelegateKeyword) { } protected override bool IsValidContext(int position, CSharpSyntaxContext context, CancellationToken cancellationToken) { return context.IsGlobalStatementContext || ValidTypeContext(context) || IsAfterAsyncKeywordInExpressionContext(context, cancellationToken) || context.IsTypeDeclarationContext( validModifiers: s_validModifiers, validTypeDeclarations: SyntaxKindSet.ClassInterfaceStructRecordTypeDeclarations, canBePartial: false, cancellationToken: cancellationToken); static bool ValidTypeContext(CSharpSyntaxContext context) => (context.IsNonAttributeExpressionContext || context.IsTypeContext) && !context.IsConstantExpressionContext && !context.LeftToken.IsTopLevelOfUsingAliasDirective(); } private static bool IsAfterAsyncKeywordInExpressionContext(CSharpSyntaxContext context, CancellationToken cancellationToken) { return context.TargetToken.IsKindOrHasMatchingText(SyntaxKind.AsyncKeyword) && context.SyntaxTree.IsExpressionContext( context.TargetToken.SpanStart, context.TargetToken, attributes: false, cancellationToken: cancellationToken, semanticModelOpt: context.SemanticModel); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Threading; using Microsoft.CodeAnalysis.CSharp.Extensions; using Microsoft.CodeAnalysis.CSharp.Extensions.ContextQuery; using Microsoft.CodeAnalysis.CSharp.Utilities; namespace Microsoft.CodeAnalysis.CSharp.Completion.KeywordRecommenders { internal class DelegateKeywordRecommender : AbstractSyntacticSingleKeywordRecommender { private static readonly ISet<SyntaxKind> s_validModifiers = new HashSet<SyntaxKind>(SyntaxFacts.EqualityComparer) { SyntaxKind.InternalKeyword, SyntaxKind.PublicKeyword, SyntaxKind.PrivateKeyword, SyntaxKind.ProtectedKeyword, SyntaxKind.UnsafeKeyword }; public DelegateKeywordRecommender() : base(SyntaxKind.DelegateKeyword) { } protected override bool IsValidContext(int position, CSharpSyntaxContext context, CancellationToken cancellationToken) { return context.IsGlobalStatementContext || ValidTypeContext(context) || IsAfterAsyncKeywordInExpressionContext(context, cancellationToken) || context.IsTypeDeclarationContext( validModifiers: s_validModifiers, validTypeDeclarations: SyntaxKindSet.ClassInterfaceStructRecordTypeDeclarations, canBePartial: false, cancellationToken: cancellationToken); static bool ValidTypeContext(CSharpSyntaxContext context) => (context.IsNonAttributeExpressionContext || context.IsTypeContext) && !context.IsConstantExpressionContext && !context.LeftToken.IsTopLevelOfUsingAliasDirective(); } private static bool IsAfterAsyncKeywordInExpressionContext(CSharpSyntaxContext context, CancellationToken cancellationToken) { return context.TargetToken.IsKindOrHasMatchingText(SyntaxKind.AsyncKeyword) && context.SyntaxTree.IsExpressionContext( context.TargetToken.SpanStart, context.TargetToken, attributes: false, cancellationToken: cancellationToken, semanticModelOpt: context.SemanticModel); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/CSharp/Extensions/OperatorPrecedence.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable namespace Microsoft.CodeAnalysis.CSharp.Extensions { /// <summary> /// Operator precedence classes from section 7.3.1 of the C# language specification. /// </summary> internal enum OperatorPrecedence { None = 0, AssignmentAndLambdaExpression, Conditional, NullCoalescing, ConditionalOr, ConditionalAnd, LogicalOr, LogicalXor, LogicalAnd, Equality, RelationalAndTypeTesting, Shift, Additive, Multiplicative, Switch, Range, Unary, Primary } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable namespace Microsoft.CodeAnalysis.CSharp.Extensions { /// <summary> /// Operator precedence classes from section 7.3.1 of the C# language specification. /// </summary> internal enum OperatorPrecedence { None = 0, AssignmentAndLambdaExpression, Conditional, NullCoalescing, ConditionalOr, ConditionalAnd, LogicalOr, LogicalXor, LogicalAnd, Equality, RelationalAndTypeTesting, Shift, Additive, Multiplicative, Switch, Range, Unary, Primary } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Tools/ExternalAccess/FSharp/Internal/SignatureHelp/FSharpSignatureHelpProvider.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Linq; using System.Composition; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.ExternalAccess.FSharp.SignatureHelp; using Microsoft.CodeAnalysis.Host.Mef; using Microsoft.CodeAnalysis.SignatureHelp; namespace Microsoft.CodeAnalysis.ExternalAccess.FSharp.Internal.SignatureHelp { [Shared] [ExportSignatureHelpProvider(nameof(FSharpSignatureHelpProvider), LanguageNames.FSharp)] internal class FSharpSignatureHelpProvider : ISignatureHelpProvider { private readonly IFSharpSignatureHelpProvider _provider; [ImportingConstructor] [Obsolete(MefConstruction.ImportingConstructorMessage, error: true)] public FSharpSignatureHelpProvider(IFSharpSignatureHelpProvider provider) { _provider = provider; } public async Task<SignatureHelpItems> GetItemsAsync(Document document, int position, SignatureHelpTriggerInfo triggerInfo, CancellationToken cancellationToken) { var mappedTriggerReason = FSharpSignatureHelpTriggerReasonHelpers.ConvertFrom(triggerInfo.TriggerReason); var mappedTriggerInfo = new FSharpSignatureHelpTriggerInfo(mappedTriggerReason, triggerInfo.TriggerCharacter); var mappedSignatureHelpItems = await _provider.GetItemsAsync(document, position, mappedTriggerInfo, cancellationToken).ConfigureAwait(false); if (mappedSignatureHelpItems != null) { return new SignatureHelpItems( mappedSignatureHelpItems.Items?.Select(x => new SignatureHelpItem( x.IsVariadic, x.DocumentationFactory, x.PrefixDisplayParts, x.SeparatorDisplayParts, x.SuffixDisplayParts, x.Parameters.Select(y => new SignatureHelpParameter( y.Name, y.IsOptional, y.DocumentationFactory, y.DisplayParts, y.PrefixDisplayParts, y.SuffixDisplayParts, y.SelectedDisplayParts)).ToList(), x.DescriptionParts)).ToList(), mappedSignatureHelpItems.ApplicableSpan, mappedSignatureHelpItems.ArgumentIndex, mappedSignatureHelpItems.ArgumentCount, mappedSignatureHelpItems.ArgumentName, mappedSignatureHelpItems.SelectedItemIndex); } else { return null; } } public bool IsRetriggerCharacter(char ch) { return _provider.IsRetriggerCharacter(ch); } public bool IsTriggerCharacter(char ch) { return _provider.IsTriggerCharacter(ch); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Linq; using System.Composition; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.ExternalAccess.FSharp.SignatureHelp; using Microsoft.CodeAnalysis.Host.Mef; using Microsoft.CodeAnalysis.SignatureHelp; namespace Microsoft.CodeAnalysis.ExternalAccess.FSharp.Internal.SignatureHelp { [Shared] [ExportSignatureHelpProvider(nameof(FSharpSignatureHelpProvider), LanguageNames.FSharp)] internal class FSharpSignatureHelpProvider : ISignatureHelpProvider { private readonly IFSharpSignatureHelpProvider _provider; [ImportingConstructor] [Obsolete(MefConstruction.ImportingConstructorMessage, error: true)] public FSharpSignatureHelpProvider(IFSharpSignatureHelpProvider provider) { _provider = provider; } public async Task<SignatureHelpItems> GetItemsAsync(Document document, int position, SignatureHelpTriggerInfo triggerInfo, CancellationToken cancellationToken) { var mappedTriggerReason = FSharpSignatureHelpTriggerReasonHelpers.ConvertFrom(triggerInfo.TriggerReason); var mappedTriggerInfo = new FSharpSignatureHelpTriggerInfo(mappedTriggerReason, triggerInfo.TriggerCharacter); var mappedSignatureHelpItems = await _provider.GetItemsAsync(document, position, mappedTriggerInfo, cancellationToken).ConfigureAwait(false); if (mappedSignatureHelpItems != null) { return new SignatureHelpItems( mappedSignatureHelpItems.Items?.Select(x => new SignatureHelpItem( x.IsVariadic, x.DocumentationFactory, x.PrefixDisplayParts, x.SeparatorDisplayParts, x.SuffixDisplayParts, x.Parameters.Select(y => new SignatureHelpParameter( y.Name, y.IsOptional, y.DocumentationFactory, y.DisplayParts, y.PrefixDisplayParts, y.SuffixDisplayParts, y.SelectedDisplayParts)).ToList(), x.DescriptionParts)).ToList(), mappedSignatureHelpItems.ApplicableSpan, mappedSignatureHelpItems.ArgumentIndex, mappedSignatureHelpItems.ArgumentCount, mappedSignatureHelpItems.ArgumentName, mappedSignatureHelpItems.SelectedItemIndex); } else { return null; } } public bool IsRetriggerCharacter(char ch) { return _provider.IsRetriggerCharacter(ch); } public bool IsTriggerCharacter(char ch) { return _provider.IsTriggerCharacter(ch); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/CSharp/Portable/Symbols/Source/SourceMemberFieldSymbol.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis.CSharp.Emit; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.PooledObjects; using Roslyn.Utilities; using System; using System.Collections.Generic; using System.Collections.Immutable; using System.Diagnostics; using System.Threading; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.CSharp.Symbols { internal abstract class SourceMemberFieldSymbol : SourceFieldSymbolWithSyntaxReference { private readonly DeclarationModifiers _modifiers; internal SourceMemberFieldSymbol( SourceMemberContainerTypeSymbol containingType, DeclarationModifiers modifiers, string name, SyntaxReference syntax, Location location) : base(containingType, name, syntax, location) { _modifiers = modifiers; } protected sealed override DeclarationModifiers Modifiers { get { return _modifiers; } } protected abstract TypeSyntax TypeSyntax { get; } protected abstract SyntaxTokenList ModifiersTokenList { get; } protected void TypeChecks(TypeSymbol type, BindingDiagnosticBag diagnostics) { if (type.IsStatic) { // Cannot declare a variable of static type '{0}' diagnostics.Add(ErrorCode.ERR_VarDeclIsStaticClass, this.ErrorLocation, type); } else if (type.IsVoidType()) { diagnostics.Add(ErrorCode.ERR_FieldCantHaveVoidType, TypeSyntax?.Location ?? this.Locations[0]); } else if (type.IsRestrictedType(ignoreSpanLikeTypes: true)) { diagnostics.Add(ErrorCode.ERR_FieldCantBeRefAny, TypeSyntax?.Location ?? this.Locations[0], type); } else if (type.IsRefLikeType && (this.IsStatic || !containingType.IsRefLikeType)) { diagnostics.Add(ErrorCode.ERR_FieldAutoPropCantBeByRefLike, TypeSyntax?.Location ?? this.Locations[0], type); } else if (IsConst && !type.CanBeConst()) { SyntaxToken constToken = default(SyntaxToken); foreach (var modifier in ModifiersTokenList) { if (modifier.Kind() == SyntaxKind.ConstKeyword) { constToken = modifier; break; } } Debug.Assert(constToken.Kind() == SyntaxKind.ConstKeyword); diagnostics.Add(ErrorCode.ERR_BadConstType, constToken.GetLocation(), type); } else if (IsVolatile && !type.IsValidVolatileFieldType()) { // '{0}': a volatile field cannot be of the type '{1}' diagnostics.Add(ErrorCode.ERR_VolatileStruct, this.ErrorLocation, this, type); } CompoundUseSiteInfo<AssemblySymbol> useSiteInfo = new CompoundUseSiteInfo<AssemblySymbol>(diagnostics, ContainingAssembly); if (!this.IsNoMoreVisibleThan(type, ref useSiteInfo)) { // Inconsistent accessibility: field type '{1}' is less accessible than field '{0}' diagnostics.Add(ErrorCode.ERR_BadVisFieldType, this.ErrorLocation, this, type); } diagnostics.Add(this.ErrorLocation, useSiteInfo); } public abstract bool HasInitializer { get; } internal override void AddSynthesizedAttributes(PEModuleBuilder moduleBuilder, ref ArrayBuilder<SynthesizedAttributeData> attributes) { base.AddSynthesizedAttributes(moduleBuilder, ref attributes); var compilation = this.DeclaringCompilation; var value = this.GetConstantValue(ConstantFieldsInProgress.Empty, earlyDecodingWellKnownAttributes: false); // Synthesize DecimalConstantAttribute when the default value is of type decimal if (this.IsConst && value != null && this.Type.SpecialType == SpecialType.System_Decimal) { var data = GetDecodedWellKnownAttributeData(); if (data == null || data.ConstValue == CodeAnalysis.ConstantValue.Unset) { AddSynthesizedAttribute(ref attributes, compilation.SynthesizeDecimalConstantAttribute(value.DecimalValue)); } } } public override Symbol AssociatedSymbol { get { return null; } } public override int FixedSize { get { Debug.Assert(!this.IsFixedSizeBuffer, "Subclasses representing fixed fields must override"); state.NotePartComplete(CompletionPart.FixedSize); return 0; } } internal static DeclarationModifiers MakeModifiers(NamedTypeSymbol containingType, SyntaxToken firstIdentifier, SyntaxTokenList modifiers, BindingDiagnosticBag diagnostics, out bool modifierErrors) { DeclarationModifiers defaultAccess = (containingType.IsInterface) ? DeclarationModifiers.Public : DeclarationModifiers.Private; DeclarationModifiers allowedModifiers = DeclarationModifiers.AccessibilityMask | DeclarationModifiers.Const | DeclarationModifiers.New | DeclarationModifiers.ReadOnly | DeclarationModifiers.Static | DeclarationModifiers.Volatile | DeclarationModifiers.Fixed | DeclarationModifiers.Unsafe | DeclarationModifiers.Abstract; // filtered out later var errorLocation = new SourceLocation(firstIdentifier); DeclarationModifiers result = ModifierUtils.MakeAndCheckNontypeMemberModifiers( modifiers, defaultAccess, allowedModifiers, errorLocation, diagnostics, out modifierErrors); if ((result & DeclarationModifiers.Abstract) != 0) { diagnostics.Add(ErrorCode.ERR_AbstractField, errorLocation); result &= ~DeclarationModifiers.Abstract; } if ((result & DeclarationModifiers.Fixed) != 0) { if ((result & DeclarationModifiers.Static) != 0) { // The modifier 'static' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.StaticKeyword)); } if ((result & DeclarationModifiers.ReadOnly) != 0) { // The modifier 'readonly' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ReadOnlyKeyword)); } if ((result & DeclarationModifiers.Const) != 0) { // The modifier 'const' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ConstKeyword)); } if ((result & DeclarationModifiers.Volatile) != 0) { // The modifier 'volatile' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.VolatileKeyword)); } result &= ~(DeclarationModifiers.Static | DeclarationModifiers.ReadOnly | DeclarationModifiers.Const | DeclarationModifiers.Volatile); Debug.Assert((result & ~(DeclarationModifiers.AccessibilityMask | DeclarationModifiers.Fixed | DeclarationModifiers.Unsafe | DeclarationModifiers.New)) == 0); } if ((result & DeclarationModifiers.Const) != 0) { if ((result & DeclarationModifiers.Static) != 0) { // The constant '{0}' cannot be marked static diagnostics.Add(ErrorCode.ERR_StaticConstant, errorLocation, firstIdentifier.ValueText); } if ((result & DeclarationModifiers.ReadOnly) != 0) { // The modifier 'readonly' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ReadOnlyKeyword)); } if ((result & DeclarationModifiers.Volatile) != 0) { // The modifier 'volatile' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.VolatileKeyword)); } if ((result & DeclarationModifiers.Unsafe) != 0) { // The modifier 'unsafe' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.UnsafeKeyword)); } result |= DeclarationModifiers.Static; // "constants are considered static members" } else { // NOTE: always cascading on a const, so suppress. // NOTE: we're being a bit sneaky here - we're using the containingType rather than this symbol // to determine whether or not unsafe is allowed. Since this symbol and the containing type are // in the same compilation, it won't make a difference. We do, however, have to pass the error // location explicitly. containingType.CheckUnsafeModifier(result, errorLocation, diagnostics); } return result; } internal sealed override void ForceComplete(SourceLocation locationOpt, CancellationToken cancellationToken) { while (true) { cancellationToken.ThrowIfCancellationRequested(); var incompletePart = state.NextIncompletePart; switch (incompletePart) { case CompletionPart.Attributes: GetAttributes(); break; case CompletionPart.Type: GetFieldType(ConsList<FieldSymbol>.Empty); break; case CompletionPart.FixedSize: int discarded = this.FixedSize; break; case CompletionPart.ConstantValue: GetConstantValue(ConstantFieldsInProgress.Empty, earlyDecodingWellKnownAttributes: false); break; case CompletionPart.None: return; default: // any other values are completion parts intended for other kinds of symbols state.NotePartComplete(CompletionPart.All & ~CompletionPart.FieldSymbolAll); break; } state.SpinWaitComplete(incompletePart, cancellationToken); } } internal override NamedTypeSymbol FixedImplementationType(PEModuleBuilder emitModule) { Debug.Assert(!this.IsFixedSizeBuffer, "Subclasses representing fixed fields must override"); return null; } } internal class SourceMemberFieldSymbolFromDeclarator : SourceMemberFieldSymbol { private readonly bool _hasInitializer; private TypeWithAnnotations.Boxed _lazyType; // Non-zero if the type of the field has been inferred from the type of its initializer expression // and the errors of binding the initializer have been or are being reported to compilation diagnostics. private int _lazyFieldTypeInferred; internal SourceMemberFieldSymbolFromDeclarator( SourceMemberContainerTypeSymbol containingType, VariableDeclaratorSyntax declarator, DeclarationModifiers modifiers, bool modifierErrors, BindingDiagnosticBag diagnostics) : base(containingType, modifiers, declarator.Identifier.ValueText, declarator.GetReference(), declarator.Identifier.GetLocation()) { _hasInitializer = declarator.Initializer != null; this.CheckAccessibility(diagnostics); if (!modifierErrors) { this.ReportModifiersDiagnostics(diagnostics); } if (containingType.IsInterface) { if (this.IsStatic) { Binder.CheckFeatureAvailability(declarator, MessageID.IDS_DefaultInterfaceImplementation, diagnostics, ErrorLocation); if (!ContainingAssembly.RuntimeSupportsDefaultInterfaceImplementation) { diagnostics.Add(ErrorCode.ERR_RuntimeDoesNotSupportDefaultInterfaceImplementation, ErrorLocation); } } else { diagnostics.Add(ErrorCode.ERR_InterfacesCantContainFields, ErrorLocation); } } } protected sealed override TypeSyntax TypeSyntax { get { return GetFieldDeclaration(VariableDeclaratorNode).Declaration.Type; } } protected sealed override SyntaxTokenList ModifiersTokenList { get { return GetFieldDeclaration(VariableDeclaratorNode).Modifiers; } } public sealed override bool HasInitializer { get { return _hasInitializer; } } protected VariableDeclaratorSyntax VariableDeclaratorNode { get { return (VariableDeclaratorSyntax)this.SyntaxNode; } } private static BaseFieldDeclarationSyntax GetFieldDeclaration(CSharpSyntaxNode declarator) { return (BaseFieldDeclarationSyntax)declarator.Parent.Parent; } protected override SyntaxList<AttributeListSyntax> AttributeDeclarationSyntaxList { get { if (this.containingType.AnyMemberHasAttributes) { return GetFieldDeclaration(this.SyntaxNode).AttributeLists; } return default(SyntaxList<AttributeListSyntax>); } } internal override bool HasPointerType { get { if (_lazyType != null) { bool isPointerType = _lazyType.Value.DefaultType.Kind switch { SymbolKind.PointerType => true, SymbolKind.FunctionPointerType => true, _ => false }; Debug.Assert(isPointerType == IsPointerFieldSyntactically()); return isPointerType; } return IsPointerFieldSyntactically(); } } private bool IsPointerFieldSyntactically() { var declaration = GetFieldDeclaration(VariableDeclaratorNode).Declaration; if (declaration.Type.Kind() switch { SyntaxKind.PointerType => true, SyntaxKind.FunctionPointerType => true, _ => false }) { // public int * Blah; // pointer return true; } return IsFixedSizeBuffer; } internal sealed override TypeWithAnnotations GetFieldType(ConsList<FieldSymbol> fieldsBeingBound) { Debug.Assert(fieldsBeingBound != null); if (_lazyType != null) { return _lazyType.Value; } var declarator = VariableDeclaratorNode; var fieldSyntax = GetFieldDeclaration(declarator); var typeSyntax = fieldSyntax.Declaration.Type; var compilation = this.DeclaringCompilation; var diagnostics = BindingDiagnosticBag.GetInstance(); TypeWithAnnotations type; // When we have multiple declarators, we report the type diagnostics on only the first. var diagnosticsForFirstDeclarator = BindingDiagnosticBag.GetInstance(); Symbol associatedPropertyOrEvent = this.AssociatedSymbol; if ((object)associatedPropertyOrEvent != null && associatedPropertyOrEvent.Kind == SymbolKind.Event) { EventSymbol @event = (EventSymbol)associatedPropertyOrEvent; if (@event.IsWindowsRuntimeEvent) { NamedTypeSymbol tokenTableType = this.DeclaringCompilation.GetWellKnownType(WellKnownType.System_Runtime_InteropServices_WindowsRuntime_EventRegistrationTokenTable_T); Binder.ReportUseSite(tokenTableType, diagnosticsForFirstDeclarator, this.ErrorLocation); // CONSIDER: Do we want to guard against the possibility that someone has created their own EventRegistrationTokenTable<T> // type that has additional generic constraints? type = TypeWithAnnotations.Create(tokenTableType.Construct(ImmutableArray.Create(@event.TypeWithAnnotations))); } else { type = @event.TypeWithAnnotations; } } else { var binderFactory = compilation.GetBinderFactory(SyntaxTree); var binder = binderFactory.GetBinder(typeSyntax); binder = binder.WithAdditionalFlagsAndContainingMemberOrLambda(BinderFlags.SuppressConstraintChecks, this); if (!ContainingType.IsScriptClass) { type = binder.BindType(typeSyntax, diagnosticsForFirstDeclarator); } else { bool isVar; type = binder.BindTypeOrVarKeyword(typeSyntax, diagnostics, out isVar); Debug.Assert(type.HasType || isVar); if (isVar) { if (this.IsConst) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_ImplicitlyTypedVariableCannotBeConst, typeSyntax.Location); } if (fieldsBeingBound.ContainsReference(this)) { diagnostics.Add(ErrorCode.ERR_RecursivelyTypedVariable, this.ErrorLocation, this); type = default; } else if (fieldSyntax.Declaration.Variables.Count > 1) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_ImplicitlyTypedVariableMultipleDeclarator, typeSyntax.Location); } else if (this.IsConst && this.ContainingType.IsScriptClass) { // For const var in script, we won't try to bind the initializer (case below), as it can lead to an unbound recursion type = default; } else { fieldsBeingBound = new ConsList<FieldSymbol>(this, fieldsBeingBound); var syntaxNode = (EqualsValueClauseSyntax)declarator.Initializer; var initializerBinder = new ImplicitlyTypedFieldBinder(binder, fieldsBeingBound); var executableBinder = new ExecutableCodeBinder(syntaxNode, this, initializerBinder); var initializerOpt = executableBinder.BindInferredVariableInitializer(diagnostics, RefKind.None, syntaxNode, declarator); if (initializerOpt != null) { if ((object)initializerOpt.Type != null && !initializerOpt.Type.IsErrorType()) { type = TypeWithAnnotations.Create(initializerOpt.Type); } _lazyFieldTypeInferred = 1; } } if (!type.HasType) { type = TypeWithAnnotations.Create(binder.CreateErrorType("var")); } } } if (IsFixedSizeBuffer) { type = TypeWithAnnotations.Create(new PointerTypeSymbol(type)); if (ContainingType.TypeKind != TypeKind.Struct) { diagnostics.Add(ErrorCode.ERR_FixedNotInStruct, ErrorLocation); } var elementType = ((PointerTypeSymbol)type.Type).PointedAtType; int elementSize = elementType.FixedBufferElementSizeInBytes(); if (elementSize == 0) { var loc = typeSyntax.Location; diagnostics.Add(ErrorCode.ERR_IllegalFixedType, loc); } if (!binder.InUnsafeRegion) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_UnsafeNeeded, declarator.Location); } } } Debug.Assert(type.DefaultType.IsPointerOrFunctionPointer() == IsPointerFieldSyntactically()); // update the lazyType only if it contains value last seen by the current thread: if (Interlocked.CompareExchange(ref _lazyType, new TypeWithAnnotations.Boxed(type.WithModifiers(this.RequiredCustomModifiers)), null) == null) { TypeChecks(type.Type, diagnostics); // CONSIDER: SourceEventFieldSymbol would like to suppress these diagnostics. AddDeclarationDiagnostics(diagnostics); bool isFirstDeclarator = fieldSyntax.Declaration.Variables[0] == declarator; if (isFirstDeclarator) { AddDeclarationDiagnostics(diagnosticsForFirstDeclarator); } state.NotePartComplete(CompletionPart.Type); } diagnostics.Free(); diagnosticsForFirstDeclarator.Free(); return _lazyType.Value; } internal bool FieldTypeInferred(ConsList<FieldSymbol> fieldsBeingBound) { if (!ContainingType.IsScriptClass) { return false; } GetFieldType(fieldsBeingBound); // lazyIsImplicitlyTypedField can only transition from value 0 to 1: return _lazyFieldTypeInferred != 0 || Volatile.Read(ref _lazyFieldTypeInferred) != 0; } protected sealed override ConstantValue MakeConstantValue(HashSet<SourceFieldSymbolWithSyntaxReference> dependencies, bool earlyDecodingWellKnownAttributes, BindingDiagnosticBag diagnostics) { if (!this.IsConst || VariableDeclaratorNode.Initializer == null) { return null; } return ConstantValueUtils.EvaluateFieldConstant(this, (EqualsValueClauseSyntax)VariableDeclaratorNode.Initializer, dependencies, earlyDecodingWellKnownAttributes, diagnostics); } internal override bool IsDefinedInSourceTree(SyntaxTree tree, TextSpan? definedWithinSpan, CancellationToken cancellationToken = default(CancellationToken)) { if (this.SyntaxTree == tree) { if (!definedWithinSpan.HasValue) { return true; } var fieldDeclaration = GetFieldDeclaration(this.SyntaxNode); return fieldDeclaration.SyntaxTree.HasCompilationUnitRoot && fieldDeclaration.Span.IntersectsWith(definedWithinSpan.Value); } return false; } internal override void AfterAddingTypeMembersChecks(ConversionsBase conversions, BindingDiagnosticBag diagnostics) { // This check prevents redundant ManagedAddr diagnostics on the underlying pointer field of a fixed-size buffer if (!IsFixedSizeBuffer) { Type.CheckAllConstraints(DeclaringCompilation, conversions, ErrorLocation, diagnostics); } base.AfterAddingTypeMembersChecks(conversions, diagnostics); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis.CSharp.Emit; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.PooledObjects; using Roslyn.Utilities; using System; using System.Collections.Generic; using System.Collections.Immutable; using System.Diagnostics; using System.Threading; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.CSharp.Symbols { internal abstract class SourceMemberFieldSymbol : SourceFieldSymbolWithSyntaxReference { private readonly DeclarationModifiers _modifiers; internal SourceMemberFieldSymbol( SourceMemberContainerTypeSymbol containingType, DeclarationModifiers modifiers, string name, SyntaxReference syntax, Location location) : base(containingType, name, syntax, location) { _modifiers = modifiers; } protected sealed override DeclarationModifiers Modifiers { get { return _modifiers; } } protected abstract TypeSyntax TypeSyntax { get; } protected abstract SyntaxTokenList ModifiersTokenList { get; } protected void TypeChecks(TypeSymbol type, BindingDiagnosticBag diagnostics) { if (type.IsStatic) { // Cannot declare a variable of static type '{0}' diagnostics.Add(ErrorCode.ERR_VarDeclIsStaticClass, this.ErrorLocation, type); } else if (type.IsVoidType()) { diagnostics.Add(ErrorCode.ERR_FieldCantHaveVoidType, TypeSyntax?.Location ?? this.Locations[0]); } else if (type.IsRestrictedType(ignoreSpanLikeTypes: true)) { diagnostics.Add(ErrorCode.ERR_FieldCantBeRefAny, TypeSyntax?.Location ?? this.Locations[0], type); } else if (type.IsRefLikeType && (this.IsStatic || !containingType.IsRefLikeType)) { diagnostics.Add(ErrorCode.ERR_FieldAutoPropCantBeByRefLike, TypeSyntax?.Location ?? this.Locations[0], type); } else if (IsConst && !type.CanBeConst()) { SyntaxToken constToken = default(SyntaxToken); foreach (var modifier in ModifiersTokenList) { if (modifier.Kind() == SyntaxKind.ConstKeyword) { constToken = modifier; break; } } Debug.Assert(constToken.Kind() == SyntaxKind.ConstKeyword); diagnostics.Add(ErrorCode.ERR_BadConstType, constToken.GetLocation(), type); } else if (IsVolatile && !type.IsValidVolatileFieldType()) { // '{0}': a volatile field cannot be of the type '{1}' diagnostics.Add(ErrorCode.ERR_VolatileStruct, this.ErrorLocation, this, type); } CompoundUseSiteInfo<AssemblySymbol> useSiteInfo = new CompoundUseSiteInfo<AssemblySymbol>(diagnostics, ContainingAssembly); if (!this.IsNoMoreVisibleThan(type, ref useSiteInfo)) { // Inconsistent accessibility: field type '{1}' is less accessible than field '{0}' diagnostics.Add(ErrorCode.ERR_BadVisFieldType, this.ErrorLocation, this, type); } diagnostics.Add(this.ErrorLocation, useSiteInfo); } public abstract bool HasInitializer { get; } internal override void AddSynthesizedAttributes(PEModuleBuilder moduleBuilder, ref ArrayBuilder<SynthesizedAttributeData> attributes) { base.AddSynthesizedAttributes(moduleBuilder, ref attributes); var compilation = this.DeclaringCompilation; var value = this.GetConstantValue(ConstantFieldsInProgress.Empty, earlyDecodingWellKnownAttributes: false); // Synthesize DecimalConstantAttribute when the default value is of type decimal if (this.IsConst && value != null && this.Type.SpecialType == SpecialType.System_Decimal) { var data = GetDecodedWellKnownAttributeData(); if (data == null || data.ConstValue == CodeAnalysis.ConstantValue.Unset) { AddSynthesizedAttribute(ref attributes, compilation.SynthesizeDecimalConstantAttribute(value.DecimalValue)); } } } public override Symbol AssociatedSymbol { get { return null; } } public override int FixedSize { get { Debug.Assert(!this.IsFixedSizeBuffer, "Subclasses representing fixed fields must override"); state.NotePartComplete(CompletionPart.FixedSize); return 0; } } internal static DeclarationModifiers MakeModifiers(NamedTypeSymbol containingType, SyntaxToken firstIdentifier, SyntaxTokenList modifiers, BindingDiagnosticBag diagnostics, out bool modifierErrors) { DeclarationModifiers defaultAccess = (containingType.IsInterface) ? DeclarationModifiers.Public : DeclarationModifiers.Private; DeclarationModifiers allowedModifiers = DeclarationModifiers.AccessibilityMask | DeclarationModifiers.Const | DeclarationModifiers.New | DeclarationModifiers.ReadOnly | DeclarationModifiers.Static | DeclarationModifiers.Volatile | DeclarationModifiers.Fixed | DeclarationModifiers.Unsafe | DeclarationModifiers.Abstract; // filtered out later var errorLocation = new SourceLocation(firstIdentifier); DeclarationModifiers result = ModifierUtils.MakeAndCheckNontypeMemberModifiers( modifiers, defaultAccess, allowedModifiers, errorLocation, diagnostics, out modifierErrors); if ((result & DeclarationModifiers.Abstract) != 0) { diagnostics.Add(ErrorCode.ERR_AbstractField, errorLocation); result &= ~DeclarationModifiers.Abstract; } if ((result & DeclarationModifiers.Fixed) != 0) { if ((result & DeclarationModifiers.Static) != 0) { // The modifier 'static' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.StaticKeyword)); } if ((result & DeclarationModifiers.ReadOnly) != 0) { // The modifier 'readonly' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ReadOnlyKeyword)); } if ((result & DeclarationModifiers.Const) != 0) { // The modifier 'const' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ConstKeyword)); } if ((result & DeclarationModifiers.Volatile) != 0) { // The modifier 'volatile' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.VolatileKeyword)); } result &= ~(DeclarationModifiers.Static | DeclarationModifiers.ReadOnly | DeclarationModifiers.Const | DeclarationModifiers.Volatile); Debug.Assert((result & ~(DeclarationModifiers.AccessibilityMask | DeclarationModifiers.Fixed | DeclarationModifiers.Unsafe | DeclarationModifiers.New)) == 0); } if ((result & DeclarationModifiers.Const) != 0) { if ((result & DeclarationModifiers.Static) != 0) { // The constant '{0}' cannot be marked static diagnostics.Add(ErrorCode.ERR_StaticConstant, errorLocation, firstIdentifier.ValueText); } if ((result & DeclarationModifiers.ReadOnly) != 0) { // The modifier 'readonly' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.ReadOnlyKeyword)); } if ((result & DeclarationModifiers.Volatile) != 0) { // The modifier 'volatile' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.VolatileKeyword)); } if ((result & DeclarationModifiers.Unsafe) != 0) { // The modifier 'unsafe' is not valid for this item diagnostics.Add(ErrorCode.ERR_BadMemberFlag, errorLocation, SyntaxFacts.GetText(SyntaxKind.UnsafeKeyword)); } result |= DeclarationModifiers.Static; // "constants are considered static members" } else { // NOTE: always cascading on a const, so suppress. // NOTE: we're being a bit sneaky here - we're using the containingType rather than this symbol // to determine whether or not unsafe is allowed. Since this symbol and the containing type are // in the same compilation, it won't make a difference. We do, however, have to pass the error // location explicitly. containingType.CheckUnsafeModifier(result, errorLocation, diagnostics); } return result; } internal sealed override void ForceComplete(SourceLocation locationOpt, CancellationToken cancellationToken) { while (true) { cancellationToken.ThrowIfCancellationRequested(); var incompletePart = state.NextIncompletePart; switch (incompletePart) { case CompletionPart.Attributes: GetAttributes(); break; case CompletionPart.Type: GetFieldType(ConsList<FieldSymbol>.Empty); break; case CompletionPart.FixedSize: int discarded = this.FixedSize; break; case CompletionPart.ConstantValue: GetConstantValue(ConstantFieldsInProgress.Empty, earlyDecodingWellKnownAttributes: false); break; case CompletionPart.None: return; default: // any other values are completion parts intended for other kinds of symbols state.NotePartComplete(CompletionPart.All & ~CompletionPart.FieldSymbolAll); break; } state.SpinWaitComplete(incompletePart, cancellationToken); } } internal override NamedTypeSymbol FixedImplementationType(PEModuleBuilder emitModule) { Debug.Assert(!this.IsFixedSizeBuffer, "Subclasses representing fixed fields must override"); return null; } } internal class SourceMemberFieldSymbolFromDeclarator : SourceMemberFieldSymbol { private readonly bool _hasInitializer; private TypeWithAnnotations.Boxed _lazyType; // Non-zero if the type of the field has been inferred from the type of its initializer expression // and the errors of binding the initializer have been or are being reported to compilation diagnostics. private int _lazyFieldTypeInferred; internal SourceMemberFieldSymbolFromDeclarator( SourceMemberContainerTypeSymbol containingType, VariableDeclaratorSyntax declarator, DeclarationModifiers modifiers, bool modifierErrors, BindingDiagnosticBag diagnostics) : base(containingType, modifiers, declarator.Identifier.ValueText, declarator.GetReference(), declarator.Identifier.GetLocation()) { _hasInitializer = declarator.Initializer != null; this.CheckAccessibility(diagnostics); if (!modifierErrors) { this.ReportModifiersDiagnostics(diagnostics); } if (containingType.IsInterface) { if (this.IsStatic) { Binder.CheckFeatureAvailability(declarator, MessageID.IDS_DefaultInterfaceImplementation, diagnostics, ErrorLocation); if (!ContainingAssembly.RuntimeSupportsDefaultInterfaceImplementation) { diagnostics.Add(ErrorCode.ERR_RuntimeDoesNotSupportDefaultInterfaceImplementation, ErrorLocation); } } else { diagnostics.Add(ErrorCode.ERR_InterfacesCantContainFields, ErrorLocation); } } } protected sealed override TypeSyntax TypeSyntax { get { return GetFieldDeclaration(VariableDeclaratorNode).Declaration.Type; } } protected sealed override SyntaxTokenList ModifiersTokenList { get { return GetFieldDeclaration(VariableDeclaratorNode).Modifiers; } } public sealed override bool HasInitializer { get { return _hasInitializer; } } protected VariableDeclaratorSyntax VariableDeclaratorNode { get { return (VariableDeclaratorSyntax)this.SyntaxNode; } } private static BaseFieldDeclarationSyntax GetFieldDeclaration(CSharpSyntaxNode declarator) { return (BaseFieldDeclarationSyntax)declarator.Parent.Parent; } protected override SyntaxList<AttributeListSyntax> AttributeDeclarationSyntaxList { get { if (this.containingType.AnyMemberHasAttributes) { return GetFieldDeclaration(this.SyntaxNode).AttributeLists; } return default(SyntaxList<AttributeListSyntax>); } } internal override bool HasPointerType { get { if (_lazyType != null) { bool isPointerType = _lazyType.Value.DefaultType.Kind switch { SymbolKind.PointerType => true, SymbolKind.FunctionPointerType => true, _ => false }; Debug.Assert(isPointerType == IsPointerFieldSyntactically()); return isPointerType; } return IsPointerFieldSyntactically(); } } private bool IsPointerFieldSyntactically() { var declaration = GetFieldDeclaration(VariableDeclaratorNode).Declaration; if (declaration.Type.Kind() switch { SyntaxKind.PointerType => true, SyntaxKind.FunctionPointerType => true, _ => false }) { // public int * Blah; // pointer return true; } return IsFixedSizeBuffer; } internal sealed override TypeWithAnnotations GetFieldType(ConsList<FieldSymbol> fieldsBeingBound) { Debug.Assert(fieldsBeingBound != null); if (_lazyType != null) { return _lazyType.Value; } var declarator = VariableDeclaratorNode; var fieldSyntax = GetFieldDeclaration(declarator); var typeSyntax = fieldSyntax.Declaration.Type; var compilation = this.DeclaringCompilation; var diagnostics = BindingDiagnosticBag.GetInstance(); TypeWithAnnotations type; // When we have multiple declarators, we report the type diagnostics on only the first. var diagnosticsForFirstDeclarator = BindingDiagnosticBag.GetInstance(); Symbol associatedPropertyOrEvent = this.AssociatedSymbol; if ((object)associatedPropertyOrEvent != null && associatedPropertyOrEvent.Kind == SymbolKind.Event) { EventSymbol @event = (EventSymbol)associatedPropertyOrEvent; if (@event.IsWindowsRuntimeEvent) { NamedTypeSymbol tokenTableType = this.DeclaringCompilation.GetWellKnownType(WellKnownType.System_Runtime_InteropServices_WindowsRuntime_EventRegistrationTokenTable_T); Binder.ReportUseSite(tokenTableType, diagnosticsForFirstDeclarator, this.ErrorLocation); // CONSIDER: Do we want to guard against the possibility that someone has created their own EventRegistrationTokenTable<T> // type that has additional generic constraints? type = TypeWithAnnotations.Create(tokenTableType.Construct(ImmutableArray.Create(@event.TypeWithAnnotations))); } else { type = @event.TypeWithAnnotations; } } else { var binderFactory = compilation.GetBinderFactory(SyntaxTree); var binder = binderFactory.GetBinder(typeSyntax); binder = binder.WithAdditionalFlagsAndContainingMemberOrLambda(BinderFlags.SuppressConstraintChecks, this); if (!ContainingType.IsScriptClass) { type = binder.BindType(typeSyntax, diagnosticsForFirstDeclarator); } else { bool isVar; type = binder.BindTypeOrVarKeyword(typeSyntax, diagnostics, out isVar); Debug.Assert(type.HasType || isVar); if (isVar) { if (this.IsConst) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_ImplicitlyTypedVariableCannotBeConst, typeSyntax.Location); } if (fieldsBeingBound.ContainsReference(this)) { diagnostics.Add(ErrorCode.ERR_RecursivelyTypedVariable, this.ErrorLocation, this); type = default; } else if (fieldSyntax.Declaration.Variables.Count > 1) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_ImplicitlyTypedVariableMultipleDeclarator, typeSyntax.Location); } else if (this.IsConst && this.ContainingType.IsScriptClass) { // For const var in script, we won't try to bind the initializer (case below), as it can lead to an unbound recursion type = default; } else { fieldsBeingBound = new ConsList<FieldSymbol>(this, fieldsBeingBound); var syntaxNode = (EqualsValueClauseSyntax)declarator.Initializer; var initializerBinder = new ImplicitlyTypedFieldBinder(binder, fieldsBeingBound); var executableBinder = new ExecutableCodeBinder(syntaxNode, this, initializerBinder); var initializerOpt = executableBinder.BindInferredVariableInitializer(diagnostics, RefKind.None, syntaxNode, declarator); if (initializerOpt != null) { if ((object)initializerOpt.Type != null && !initializerOpt.Type.IsErrorType()) { type = TypeWithAnnotations.Create(initializerOpt.Type); } _lazyFieldTypeInferred = 1; } } if (!type.HasType) { type = TypeWithAnnotations.Create(binder.CreateErrorType("var")); } } } if (IsFixedSizeBuffer) { type = TypeWithAnnotations.Create(new PointerTypeSymbol(type)); if (ContainingType.TypeKind != TypeKind.Struct) { diagnostics.Add(ErrorCode.ERR_FixedNotInStruct, ErrorLocation); } var elementType = ((PointerTypeSymbol)type.Type).PointedAtType; int elementSize = elementType.FixedBufferElementSizeInBytes(); if (elementSize == 0) { var loc = typeSyntax.Location; diagnostics.Add(ErrorCode.ERR_IllegalFixedType, loc); } if (!binder.InUnsafeRegion) { diagnosticsForFirstDeclarator.Add(ErrorCode.ERR_UnsafeNeeded, declarator.Location); } } } Debug.Assert(type.DefaultType.IsPointerOrFunctionPointer() == IsPointerFieldSyntactically()); // update the lazyType only if it contains value last seen by the current thread: if (Interlocked.CompareExchange(ref _lazyType, new TypeWithAnnotations.Boxed(type.WithModifiers(this.RequiredCustomModifiers)), null) == null) { TypeChecks(type.Type, diagnostics); // CONSIDER: SourceEventFieldSymbol would like to suppress these diagnostics. AddDeclarationDiagnostics(diagnostics); bool isFirstDeclarator = fieldSyntax.Declaration.Variables[0] == declarator; if (isFirstDeclarator) { AddDeclarationDiagnostics(diagnosticsForFirstDeclarator); } state.NotePartComplete(CompletionPart.Type); } diagnostics.Free(); diagnosticsForFirstDeclarator.Free(); return _lazyType.Value; } internal bool FieldTypeInferred(ConsList<FieldSymbol> fieldsBeingBound) { if (!ContainingType.IsScriptClass) { return false; } GetFieldType(fieldsBeingBound); // lazyIsImplicitlyTypedField can only transition from value 0 to 1: return _lazyFieldTypeInferred != 0 || Volatile.Read(ref _lazyFieldTypeInferred) != 0; } protected sealed override ConstantValue MakeConstantValue(HashSet<SourceFieldSymbolWithSyntaxReference> dependencies, bool earlyDecodingWellKnownAttributes, BindingDiagnosticBag diagnostics) { if (!this.IsConst || VariableDeclaratorNode.Initializer == null) { return null; } return ConstantValueUtils.EvaluateFieldConstant(this, (EqualsValueClauseSyntax)VariableDeclaratorNode.Initializer, dependencies, earlyDecodingWellKnownAttributes, diagnostics); } internal override bool IsDefinedInSourceTree(SyntaxTree tree, TextSpan? definedWithinSpan, CancellationToken cancellationToken = default(CancellationToken)) { if (this.SyntaxTree == tree) { if (!definedWithinSpan.HasValue) { return true; } var fieldDeclaration = GetFieldDeclaration(this.SyntaxNode); return fieldDeclaration.SyntaxTree.HasCompilationUnitRoot && fieldDeclaration.Span.IntersectsWith(definedWithinSpan.Value); } return false; } internal override void AfterAddingTypeMembersChecks(ConversionsBase conversions, BindingDiagnosticBag diagnostics) { // This check prevents redundant ManagedAddr diagnostics on the underlying pointer field of a fixed-size buffer if (!IsFixedSizeBuffer) { Type.CheckAllConstraints(DeclaringCompilation, conversions, ErrorLocation, diagnostics); } base.AfterAddingTypeMembersChecks(conversions, diagnostics); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/Core/EditorConfigSettings/Extensions/EnumerableExtensions.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; namespace Microsoft.CodeAnalysis.Editor.EditorConfigSettings.Extensions { internal static class EnumerableExtensions { public static IEnumerable<TSource> DistinctBy<TSource, TKey>(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector) { var seenKeys = new HashSet<TKey>(); foreach (var element in source) { if (seenKeys.Add(keySelector(element))) { yield return element; } } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; namespace Microsoft.CodeAnalysis.Editor.EditorConfigSettings.Extensions { internal static class EnumerableExtensions { public static IEnumerable<TSource> DistinctBy<TSource, TKey>(this IEnumerable<TSource> source, Func<TSource, TKey> keySelector) { var seenKeys = new HashSet<TKey>(); foreach (var element in source) { if (seenKeys.Add(keySelector(element))) { yield return element; } } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/LanguageServer/ProtocolUnitTests/CodeActions/RunCodeActionsTests.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Immutable; using System.Linq; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.LanguageServer.Handler; using Microsoft.CodeAnalysis.LanguageServer.Handler.CodeActions; using Newtonsoft.Json.Linq; using Roslyn.Test.Utilities; using Xunit; using LSP = Microsoft.VisualStudio.LanguageServer.Protocol; namespace Microsoft.CodeAnalysis.LanguageServer.UnitTests.CodeActions { public class RunCodeActionsTests : AbstractLanguageServerProtocolTests { [WpfFact] public async Task TestRunCodeActions() { var markup = @"class A { class {|caret:|}B { } }"; var expectedTextForB = @"partial class A { class B { } }"; using var testLspServer = CreateTestLspServer(markup, out var locations); var caretLocation = locations["caret"].Single(); var commandArgument = new CodeActionResolveData(string.Format(FeaturesResources.Move_type_to_0, "B.cs"), customTags: ImmutableArray<string>.Empty, caretLocation.Range, new LSP.TextDocumentIdentifier { Uri = caretLocation.Uri }); var results = await ExecuteRunCodeActionCommandAsync(testLspServer, commandArgument); var documentForB = testLspServer.TestWorkspace.CurrentSolution.Projects.Single().Documents.Single(doc => doc.Name.Equals("B.cs", StringComparison.OrdinalIgnoreCase)); var textForB = await documentForB.GetTextAsync(); Assert.Equal(expectedTextForB, textForB.ToString()); } private static async Task<bool> ExecuteRunCodeActionCommandAsync( TestLspServer testLspServer, CodeActionResolveData codeActionData) { var command = new LSP.ExecuteCommandParams { Command = CodeActionsHandler.RunCodeActionCommandName, Arguments = new object[] { JToken.FromObject(codeActionData) } }; var result = await testLspServer.ExecuteRequestAsync<LSP.ExecuteCommandParams, object>( LSP.Methods.WorkspaceExecuteCommandName, command, new LSP.ClientCapabilities(), null, CancellationToken.None); return (bool)result; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Immutable; using System.Linq; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.LanguageServer.Handler; using Microsoft.CodeAnalysis.LanguageServer.Handler.CodeActions; using Newtonsoft.Json.Linq; using Roslyn.Test.Utilities; using Xunit; using LSP = Microsoft.VisualStudio.LanguageServer.Protocol; namespace Microsoft.CodeAnalysis.LanguageServer.UnitTests.CodeActions { public class RunCodeActionsTests : AbstractLanguageServerProtocolTests { [WpfFact] public async Task TestRunCodeActions() { var markup = @"class A { class {|caret:|}B { } }"; var expectedTextForB = @"partial class A { class B { } }"; using var testLspServer = CreateTestLspServer(markup, out var locations); var caretLocation = locations["caret"].Single(); var commandArgument = new CodeActionResolveData(string.Format(FeaturesResources.Move_type_to_0, "B.cs"), customTags: ImmutableArray<string>.Empty, caretLocation.Range, new LSP.TextDocumentIdentifier { Uri = caretLocation.Uri }); var results = await ExecuteRunCodeActionCommandAsync(testLspServer, commandArgument); var documentForB = testLspServer.TestWorkspace.CurrentSolution.Projects.Single().Documents.Single(doc => doc.Name.Equals("B.cs", StringComparison.OrdinalIgnoreCase)); var textForB = await documentForB.GetTextAsync(); Assert.Equal(expectedTextForB, textForB.ToString()); } private static async Task<bool> ExecuteRunCodeActionCommandAsync( TestLspServer testLspServer, CodeActionResolveData codeActionData) { var command = new LSP.ExecuteCommandParams { Command = CodeActionsHandler.RunCodeActionCommandName, Arguments = new object[] { JToken.FromObject(codeActionData) } }; var result = await testLspServer.ExecuteRequestAsync<LSP.ExecuteCommandParams, object>( LSP.Methods.WorkspaceExecuteCommandName, command, new LSP.ClientCapabilities(), null, CancellationToken.None); return (bool)result; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/Completion/CompletionHelperServiceFactory.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Composition; using Microsoft.CodeAnalysis.Host; using Microsoft.CodeAnalysis.Host.Mef; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Shared.Extensions; namespace Microsoft.CodeAnalysis.Completion { [ExportWorkspaceServiceFactory(typeof(ICompletionHelperService)), Shared] internal class CompletionHelperServiceFactory : IWorkspaceServiceFactory { [ImportingConstructor] [Obsolete(MefConstruction.ImportingConstructorMessage, error: true)] public CompletionHelperServiceFactory() { } public IWorkspaceService CreateService(HostWorkspaceServices workspaceServices) => new Service(workspaceServices.Workspace); private class Service : ICompletionHelperService, IWorkspaceService { private readonly object _gate = new(); private CompletionHelper _caseSensitiveInstance; private CompletionHelper _caseInsensitiveInstance; public Service(Workspace workspace) => workspace.WorkspaceChanged += OnWorkspaceChanged; public CompletionHelper GetCompletionHelper(Document document) { lock (_gate) { // Don't bother creating instances unless we actually need them if (_caseSensitiveInstance == null) { CreateInstances(); } var syntaxFacts = document.GetLanguageService<ISyntaxFactsService>(); var caseSensitive = syntaxFacts?.IsCaseSensitive ?? true; return caseSensitive ? _caseSensitiveInstance : _caseInsensitiveInstance; } } private void CreateInstances() { _caseSensitiveInstance = new CompletionHelper(isCaseSensitive: true); _caseInsensitiveInstance = new CompletionHelper(isCaseSensitive: false); } private void OnWorkspaceChanged(object sender, WorkspaceChangeEventArgs e) { if (e.Kind == WorkspaceChangeKind.SolutionRemoved) { lock (_gate) { // Solution was unloaded, clear caches if we were caching anything if (_caseSensitiveInstance != null) { CreateInstances(); } } } } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Composition; using Microsoft.CodeAnalysis.Host; using Microsoft.CodeAnalysis.Host.Mef; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Shared.Extensions; namespace Microsoft.CodeAnalysis.Completion { [ExportWorkspaceServiceFactory(typeof(ICompletionHelperService)), Shared] internal class CompletionHelperServiceFactory : IWorkspaceServiceFactory { [ImportingConstructor] [Obsolete(MefConstruction.ImportingConstructorMessage, error: true)] public CompletionHelperServiceFactory() { } public IWorkspaceService CreateService(HostWorkspaceServices workspaceServices) => new Service(workspaceServices.Workspace); private class Service : ICompletionHelperService, IWorkspaceService { private readonly object _gate = new(); private CompletionHelper _caseSensitiveInstance; private CompletionHelper _caseInsensitiveInstance; public Service(Workspace workspace) => workspace.WorkspaceChanged += OnWorkspaceChanged; public CompletionHelper GetCompletionHelper(Document document) { lock (_gate) { // Don't bother creating instances unless we actually need them if (_caseSensitiveInstance == null) { CreateInstances(); } var syntaxFacts = document.GetLanguageService<ISyntaxFactsService>(); var caseSensitive = syntaxFacts?.IsCaseSensitive ?? true; return caseSensitive ? _caseSensitiveInstance : _caseInsensitiveInstance; } } private void CreateInstances() { _caseSensitiveInstance = new CompletionHelper(isCaseSensitive: true); _caseInsensitiveInstance = new CompletionHelper(isCaseSensitive: false); } private void OnWorkspaceChanged(object sender, WorkspaceChangeEventArgs e) { if (e.Kind == WorkspaceChangeKind.SolutionRemoved) { lock (_gate) { // Solution was unloaded, clear caches if we were caching anything if (_caseSensitiveInstance != null) { CreateInstances(); } } } } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/CodeCleanup/EnabledDiagnosticOptions.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; namespace Microsoft.CodeAnalysis.CodeCleanup { /// <summary> /// Indicates which features are enabled for a code cleanup operation. /// </summary> internal sealed class EnabledDiagnosticOptions { public bool FormatDocument { get; } public ImmutableArray<DiagnosticSet> Diagnostics { get; } public OrganizeUsingsSet OrganizeUsings { get; } public EnabledDiagnosticOptions(bool formatDocument, ImmutableArray<DiagnosticSet> diagnostics, OrganizeUsingsSet organizeUsings) { FormatDocument = formatDocument; Diagnostics = diagnostics; OrganizeUsings = organizeUsings; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; namespace Microsoft.CodeAnalysis.CodeCleanup { /// <summary> /// Indicates which features are enabled for a code cleanup operation. /// </summary> internal sealed class EnabledDiagnosticOptions { public bool FormatDocument { get; } public ImmutableArray<DiagnosticSet> Diagnostics { get; } public OrganizeUsingsSet OrganizeUsings { get; } public EnabledDiagnosticOptions(bool formatDocument, ImmutableArray<DiagnosticSet> diagnostics, OrganizeUsingsSet organizeUsings) { FormatDocument = formatDocument; Diagnostics = diagnostics; OrganizeUsings = organizeUsings; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Tools/IdeBenchmarks/Properties/AssemblyInfo.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using BenchmarkDotNet.Attributes; using IdeBenchmarks; [assembly: Config(typeof(MemoryDiagnoserConfig))]
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using BenchmarkDotNet.Attributes; using IdeBenchmarks; [assembly: Config(typeof(MemoryDiagnoserConfig))]
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/Test/TextEditor/TextBufferAssociatedViewServiceTests.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.ObjectModel; using System.Linq; using Microsoft.CodeAnalysis.Test.Utilities; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Editor; using Microsoft.VisualStudio.Utilities; using Moq; using Roslyn.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.UnitTests.TextEditor { [UseExportProvider] public class TextBufferAssociatedViewServiceTests { [Fact] public void SanityCheck() { var viewMock = new Mock<IWpfTextView>(MockBehavior.Strict); var viewMock2 = new Mock<IWpfTextView>(MockBehavior.Strict); var contentType = new Mock<IContentType>(MockBehavior.Strict); contentType.Setup(c => c.IsOfType(ContentTypeNames.RoslynContentType)).Returns(true); var bufferMock = new Mock<ITextBuffer>(MockBehavior.Strict); bufferMock.Setup(b => b.ContentType).Returns(contentType.Object); var bufferCollection = new Collection<ITextBuffer>(SpecializedCollections.SingletonEnumerable(bufferMock.Object).ToList()); var dummyReason = ConnectionReason.BufferGraphChange; var exportProvider = EditorTestCompositions.EditorFeatures.ExportProviderFactory.CreateExportProvider(); var service = Assert.IsType<TextBufferAssociatedViewService>(exportProvider.GetExportedValue<ITextBufferAssociatedViewService>()); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(1, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(0, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock.Object, dummyReason, bufferCollection); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock2.Object, dummyReason, bufferCollection); Assert.Equal(2, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(1, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock2.Object, dummyReason, bufferCollection); Assert.Equal(0, service.GetAssociatedTextViews(bufferMock.Object).Count()); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.ObjectModel; using System.Linq; using Microsoft.CodeAnalysis.Test.Utilities; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Editor; using Microsoft.VisualStudio.Utilities; using Moq; using Roslyn.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.UnitTests.TextEditor { [UseExportProvider] public class TextBufferAssociatedViewServiceTests { [Fact] public void SanityCheck() { var viewMock = new Mock<IWpfTextView>(MockBehavior.Strict); var viewMock2 = new Mock<IWpfTextView>(MockBehavior.Strict); var contentType = new Mock<IContentType>(MockBehavior.Strict); contentType.Setup(c => c.IsOfType(ContentTypeNames.RoslynContentType)).Returns(true); var bufferMock = new Mock<ITextBuffer>(MockBehavior.Strict); bufferMock.Setup(b => b.ContentType).Returns(contentType.Object); var bufferCollection = new Collection<ITextBuffer>(SpecializedCollections.SingletonEnumerable(bufferMock.Object).ToList()); var dummyReason = ConnectionReason.BufferGraphChange; var exportProvider = EditorTestCompositions.EditorFeatures.ExportProviderFactory.CreateExportProvider(); var service = Assert.IsType<TextBufferAssociatedViewService>(exportProvider.GetExportedValue<ITextBufferAssociatedViewService>()); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(1, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(0, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock.Object, dummyReason, bufferCollection); ((ITextViewConnectionListener)service).SubjectBuffersConnected(viewMock2.Object, dummyReason, bufferCollection); Assert.Equal(2, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock.Object, dummyReason, bufferCollection); Assert.Equal(1, service.GetAssociatedTextViews(bufferMock.Object).Count()); ((ITextViewConnectionListener)service).SubjectBuffersDisconnected(viewMock2.Object, dummyReason, bufferCollection); Assert.Equal(0, service.GetAssociatedTextViews(bufferMock.Object).Count()); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Workspaces/Core/Portable/PatternMatching/PatternMatch.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Collections.Immutable; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.PatternMatching { internal struct PatternMatch : IComparable<PatternMatch> { /// <summary> /// True if this was a case sensitive match. /// </summary> public bool IsCaseSensitive { get; } /// <summary> /// The type of match that occurred. /// </summary> public PatternMatchKind Kind { get; } /// <summary> /// The spans in the original text that were matched. Only returned if the /// pattern matcher is asked to collect these spans. /// </summary> public ImmutableArray<TextSpan> MatchedSpans { get; } private readonly bool _punctuationStripped; internal PatternMatch( PatternMatchKind resultType, bool punctuationStripped, bool isCaseSensitive, TextSpan? matchedSpan) : this(resultType, punctuationStripped, isCaseSensitive, matchedSpan == null ? ImmutableArray<TextSpan>.Empty : ImmutableArray.Create(matchedSpan.Value)) { } internal PatternMatch( PatternMatchKind resultType, bool punctuationStripped, bool isCaseSensitive, ImmutableArray<TextSpan> matchedSpans) : this() { this.Kind = resultType; this.IsCaseSensitive = isCaseSensitive; this.MatchedSpans = matchedSpans; _punctuationStripped = punctuationStripped; } public PatternMatch WithMatchedSpans(ImmutableArray<TextSpan> matchedSpans) => new(Kind, _punctuationStripped, IsCaseSensitive, matchedSpans); public int CompareTo(PatternMatch other) => CompareTo(other, ignoreCase: false); public int CompareTo(PatternMatch other, bool ignoreCase) => ComparerWithState.CompareTo(this, other, ignoreCase, s_comparers); private static readonly ImmutableArray<Func<PatternMatch, bool, IComparable>> s_comparers = ImmutableArray.Create<Func<PatternMatch, bool, IComparable>>( // Compare types (p, b) => p.Kind, // Compare cases (p, b) => !b && !p.IsCaseSensitive, // Consider a match to be better if it was successful without stripping punctuation // versus a match that had to strip punctuation to succeed. (p, b) => p._punctuationStripped); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Collections.Immutable; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.PatternMatching { internal struct PatternMatch : IComparable<PatternMatch> { /// <summary> /// True if this was a case sensitive match. /// </summary> public bool IsCaseSensitive { get; } /// <summary> /// The type of match that occurred. /// </summary> public PatternMatchKind Kind { get; } /// <summary> /// The spans in the original text that were matched. Only returned if the /// pattern matcher is asked to collect these spans. /// </summary> public ImmutableArray<TextSpan> MatchedSpans { get; } private readonly bool _punctuationStripped; internal PatternMatch( PatternMatchKind resultType, bool punctuationStripped, bool isCaseSensitive, TextSpan? matchedSpan) : this(resultType, punctuationStripped, isCaseSensitive, matchedSpan == null ? ImmutableArray<TextSpan>.Empty : ImmutableArray.Create(matchedSpan.Value)) { } internal PatternMatch( PatternMatchKind resultType, bool punctuationStripped, bool isCaseSensitive, ImmutableArray<TextSpan> matchedSpans) : this() { this.Kind = resultType; this.IsCaseSensitive = isCaseSensitive; this.MatchedSpans = matchedSpans; _punctuationStripped = punctuationStripped; } public PatternMatch WithMatchedSpans(ImmutableArray<TextSpan> matchedSpans) => new(Kind, _punctuationStripped, IsCaseSensitive, matchedSpans); public int CompareTo(PatternMatch other) => CompareTo(other, ignoreCase: false); public int CompareTo(PatternMatch other, bool ignoreCase) => ComparerWithState.CompareTo(this, other, ignoreCase, s_comparers); private static readonly ImmutableArray<Func<PatternMatch, bool, IComparable>> s_comparers = ImmutableArray.Create<Func<PatternMatch, bool, IComparable>>( // Compare types (p, b) => p.Kind, // Compare cases (p, b) => !b && !p.IsCaseSensitive, // Consider a match to be better if it was successful without stripping punctuation // versus a match that had to strip punctuation to succeed. (p, b) => p._punctuationStripped); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/CSharp/Extensions/DirectiveSyntaxExtensions.DirectiveInfo.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Collections.Generic; using Microsoft.CodeAnalysis.CSharp.Syntax; namespace Microsoft.CodeAnalysis.CSharp.Extensions { internal static partial class DirectiveSyntaxExtensions { private class DirectiveInfo { // Maps a directive to its pair public IDictionary<DirectiveTriviaSyntax, DirectiveTriviaSyntax> DirectiveMap { get; } // Maps a #If/#elif/#else/#endIf directive to its list of matching #If/#elif/#else/#endIf directives public IDictionary<DirectiveTriviaSyntax, IReadOnlyList<DirectiveTriviaSyntax>> ConditionalMap { get; } // A set of inactive regions spans. The items in the tuple are the start and end line // *both inclusive* of the inactive region. Actual PP lines are not continued within. // // Note: an interval tree might be a better structure here if there are lots of inactive // regions. Consider switching to that if necessary. public ISet<Tuple<int, int>> InactiveRegionLines { get; } public DirectiveInfo( IDictionary<DirectiveTriviaSyntax, DirectiveTriviaSyntax> directiveMap, IDictionary<DirectiveTriviaSyntax, IReadOnlyList<DirectiveTriviaSyntax>> conditionalMap, ISet<Tuple<int, int>> inactiveRegionLines) { this.DirectiveMap = directiveMap; this.ConditionalMap = conditionalMap; this.InactiveRegionLines = inactiveRegionLines; } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Collections.Generic; using Microsoft.CodeAnalysis.CSharp.Syntax; namespace Microsoft.CodeAnalysis.CSharp.Extensions { internal static partial class DirectiveSyntaxExtensions { private class DirectiveInfo { // Maps a directive to its pair public IDictionary<DirectiveTriviaSyntax, DirectiveTriviaSyntax> DirectiveMap { get; } // Maps a #If/#elif/#else/#endIf directive to its list of matching #If/#elif/#else/#endIf directives public IDictionary<DirectiveTriviaSyntax, IReadOnlyList<DirectiveTriviaSyntax>> ConditionalMap { get; } // A set of inactive regions spans. The items in the tuple are the start and end line // *both inclusive* of the inactive region. Actual PP lines are not continued within. // // Note: an interval tree might be a better structure here if there are lots of inactive // regions. Consider switching to that if necessary. public ISet<Tuple<int, int>> InactiveRegionLines { get; } public DirectiveInfo( IDictionary<DirectiveTriviaSyntax, DirectiveTriviaSyntax> directiveMap, IDictionary<DirectiveTriviaSyntax, IReadOnlyList<DirectiveTriviaSyntax>> conditionalMap, ISet<Tuple<int, int>> inactiveRegionLines) { this.DirectiveMap = directiveMap; this.ConditionalMap = conditionalMap; this.InactiveRegionLines = inactiveRegionLines; } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Core/CodeAnalysisTest/SourceFileResolverTest.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Roslyn.Test.Utilities; using Roslyn.Utilities; using System; using System.Collections.Immutable; using System.IO; using Xunit; namespace Microsoft.CodeAnalysis.UnitTests { public class SourceFileResolverTest { [Fact] public void IncorrectPathmaps() { string isABaseDirectory; if (Path.DirectorySeparatorChar == '/') { isABaseDirectory = "/"; } else { isABaseDirectory = "C://"; } try { new SourceFileResolver( ImmutableArray.Create(""), isABaseDirectory, ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", null))); AssertEx.Fail("Didn't throw"); } catch (ArgumentException argException) { Assert.Equal(new ArgumentException(CodeAnalysisResources.NullValueInPathMap, "pathMap").Message, argException.Message); } // Empty pathmap value doesn't throw new SourceFileResolver( ImmutableArray.Create(""), isABaseDirectory, ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", ""))); } [Fact] public void BadBaseDirectory() { try { new SourceFileResolver( ImmutableArray.Create(""), "not_a_root directory", ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", "value"))); AssertEx.Fail("Didn't throw"); } catch (ArgumentException argException) { Assert.Equal(new ArgumentException(CodeAnalysisResources.AbsolutePathExpected, "baseDirectory").Message, argException.Message); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Roslyn.Test.Utilities; using Roslyn.Utilities; using System; using System.Collections.Immutable; using System.IO; using Xunit; namespace Microsoft.CodeAnalysis.UnitTests { public class SourceFileResolverTest { [Fact] public void IncorrectPathmaps() { string isABaseDirectory; if (Path.DirectorySeparatorChar == '/') { isABaseDirectory = "/"; } else { isABaseDirectory = "C://"; } try { new SourceFileResolver( ImmutableArray.Create(""), isABaseDirectory, ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", null))); AssertEx.Fail("Didn't throw"); } catch (ArgumentException argException) { Assert.Equal(new ArgumentException(CodeAnalysisResources.NullValueInPathMap, "pathMap").Message, argException.Message); } // Empty pathmap value doesn't throw new SourceFileResolver( ImmutableArray.Create(""), isABaseDirectory, ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", ""))); } [Fact] public void BadBaseDirectory() { try { new SourceFileResolver( ImmutableArray.Create(""), "not_a_root directory", ImmutableArray.Create(KeyValuePairUtil.Create<string, string>("key", "value"))); AssertEx.Fail("Didn't throw"); } catch (ArgumentException argException) { Assert.Equal(new ArgumentException(CodeAnalysisResources.AbsolutePathExpected, "baseDirectory").Message, argException.Message); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/Wrapping/AbstractCodeActionComputer.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using System.Linq; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.CodeActions; using Microsoft.CodeAnalysis.Editing; using Microsoft.CodeAnalysis.Formatting; using Microsoft.CodeAnalysis.Options; using Microsoft.CodeAnalysis.PooledObjects; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; using static Microsoft.CodeAnalysis.CodeActions.CodeAction; namespace Microsoft.CodeAnalysis.Wrapping { internal abstract partial class AbstractSyntaxWrapper { /// <summary> /// Class responsible for actually computing the entire set of code actions to offer the /// user. Contains lots of helper functionality used by all the different Wrapper /// implementations. /// /// Specifically subclasses of this type can simply provide a list of code-actions to /// perform. This type will then take those code actions and will ensure there aren't /// multiple code actions that end up having the same effect on the document. For example, /// a "wrap all" action may produce the same results as a "wrap long" action. In that case /// this type will only keep around the first of those actions to prevent showing the user /// something that will be unclear. /// </summary> protected abstract class AbstractCodeActionComputer<TWrapper> : ICodeActionComputer where TWrapper : AbstractSyntaxWrapper { /// <summary> /// Annotation used so that we can track the top-most node we want to format after /// performing all our edits. /// </summary> private static readonly SyntaxAnnotation s_toFormatAnnotation = new(); protected readonly TWrapper Wrapper; protected readonly Document OriginalDocument; protected readonly SourceText OriginalSourceText; protected readonly CancellationToken CancellationToken; protected readonly bool UseTabs; protected readonly int TabSize; protected readonly string NewLine; protected readonly int WrappingColumn; protected readonly SyntaxTriviaList NewLineTrivia; protected readonly SyntaxTriviaList SingleWhitespaceTrivia; protected readonly SyntaxTriviaList NoTrivia; /// <summary> /// The contents of the documents we've created code-actions for. This is used so that /// we can prevent creating multiple code actions that produce the same results. /// </summary> private readonly List<SyntaxNode> _seenDocumentRoots = new(); public AbstractCodeActionComputer( TWrapper service, Document document, SourceText originalSourceText, DocumentOptionSet options, CancellationToken cancellationToken) { Wrapper = service; OriginalDocument = document; OriginalSourceText = originalSourceText; CancellationToken = cancellationToken; UseTabs = options.GetOption(FormattingOptions.UseTabs); TabSize = options.GetOption(FormattingOptions.TabSize); NewLine = options.GetOption(FormattingOptions.NewLine); WrappingColumn = options.GetOption(FormattingOptions2.PreferredWrappingColumn); var generator = SyntaxGenerator.GetGenerator(document); var generatorInternal = document.GetRequiredLanguageService<SyntaxGeneratorInternal>(); NewLineTrivia = new SyntaxTriviaList(generatorInternal.EndOfLine(NewLine)); SingleWhitespaceTrivia = new SyntaxTriviaList(generator.Whitespace(" ")); } protected abstract Task<ImmutableArray<WrappingGroup>> ComputeWrappingGroupsAsync(); protected string GetSmartIndentationAfter(SyntaxNodeOrToken nodeOrToken) { var newSourceText = OriginalSourceText.WithChanges(new TextChange(new TextSpan(nodeOrToken.Span.End, 0), NewLine)); newSourceText = newSourceText.WithChanges( new TextChange(TextSpan.FromBounds(nodeOrToken.Span.End + NewLine.Length, newSourceText.Length), "")); var newDocument = OriginalDocument.WithText(newSourceText); var indentationService = Wrapper.IndentationService; var originalLineNumber = newSourceText.Lines.GetLineFromPosition(nodeOrToken.Span.End).LineNumber; var desiredIndentation = indentationService.GetIndentation( newDocument, originalLineNumber + 1, FormattingOptions.IndentStyle.Smart, CancellationToken); var baseLine = newSourceText.Lines.GetLineFromPosition(desiredIndentation.BasePosition); var baseOffsetInLine = desiredIndentation.BasePosition - baseLine.Start; var indent = baseOffsetInLine + desiredIndentation.Offset; var indentString = indent.CreateIndentationString(UseTabs, TabSize); return indentString; } /// <summary> /// Try to create a CodeAction representing these edits. Can return <see langword="null"/> in several /// cases, including: /// /// 1. No edits. /// 2. Edits would change more than whitespace. /// 3. A previous code action was created that already had the same effect. /// </summary> protected async Task<WrapItemsAction> TryCreateCodeActionAsync( ImmutableArray<Edit> edits, string parentTitle, string title) { // First, rewrite the tree with the edits provided. var (root, rewrittenRoot, spanToFormat) = await RewriteTreeAsync(edits).ConfigureAwait(false); if (rewrittenRoot == null) { // Couldn't rewrite for some reason. No code action to create. return null; } // Now, format the part of the tree that we edited. This will ensure we properly // respect the user preferences around things like comma/operator spacing. var formattedDocument = await FormatDocumentAsync(rewrittenRoot, spanToFormat).ConfigureAwait(false); var formattedRoot = await formattedDocument.GetSyntaxRootAsync(CancellationToken).ConfigureAwait(false); // Now, check if this new formatted tree matches our starting tree, or any of the // trees we've already created for our other code actions. If so, we don't want to // add this duplicative code action. Note: this check will actually run quickly. // 'IsEquivalentTo' can return quickly when comparing equivalent green nodes. So // all that we need to check is the spine of the change which will happen very // quickly. if (root.IsEquivalentTo(formattedRoot)) { return null; } foreach (var seenRoot in _seenDocumentRoots) { if (seenRoot.IsEquivalentTo(formattedRoot)) { return null; } } // This is a genuinely different code action from all previous ones we've created. // Store the root so we don't just end up creating this code action again. _seenDocumentRoots.Add(formattedRoot); return new WrapItemsAction(title, parentTitle, _ => Task.FromResult(formattedDocument)); } private async Task<Document> FormatDocumentAsync(SyntaxNode rewrittenRoot, TextSpan spanToFormat) { var newDocument = OriginalDocument.WithSyntaxRoot(rewrittenRoot); var formattedDocument = await Formatter.FormatAsync( newDocument, spanToFormat, cancellationToken: CancellationToken).ConfigureAwait(false); return formattedDocument; } private async Task<(SyntaxNode root, SyntaxNode rewrittenRoot, TextSpan spanToFormat)> RewriteTreeAsync(ImmutableArray<Edit> edits) { using var _1 = PooledDictionary<SyntaxToken, SyntaxTriviaList>.GetInstance(out var leftTokenToTrailingTrivia); using var _2 = PooledDictionary<SyntaxToken, SyntaxTriviaList>.GetInstance(out var rightTokenToLeadingTrivia); foreach (var edit in edits) { var span = TextSpan.FromBounds(edit.Left.Span.End, edit.Right.Span.Start); var text = OriginalSourceText.ToString(span); if (!IsSafeToRemove(text)) { // editing some piece of non-whitespace trivia. We don't support this. return default; } // Make sure we're not about to make an edit that just changes the code to what // is already there. if (text != edit.GetNewTrivia()) { leftTokenToTrailingTrivia.Add(edit.Left, edit.NewLeftTrailingTrivia); rightTokenToLeadingTrivia.Add(edit.Right, edit.NewRightLeadingTrivia); } } if (leftTokenToTrailingTrivia.Count == 0) { // No actual edits that would change anything. Nothing to do. return default; } return await RewriteTreeAsync( leftTokenToTrailingTrivia, rightTokenToLeadingTrivia).ConfigureAwait(false); } private static bool IsSafeToRemove(string text) { foreach (var ch in text) { // It's safe to remove whitespace between tokens, or the VB line-continuation character. if (!char.IsWhiteSpace(ch) && ch != '_') { return false; } } return true; } private async Task<(SyntaxNode root, SyntaxNode rewrittenRoot, TextSpan spanToFormat)> RewriteTreeAsync( Dictionary<SyntaxToken, SyntaxTriviaList> leftTokenToTrailingTrivia, Dictionary<SyntaxToken, SyntaxTriviaList> rightTokenToLeadingTrivia) { var root = await OriginalDocument.GetSyntaxRootAsync(CancellationToken).ConfigureAwait(false); var tokens = leftTokenToTrailingTrivia.Keys.Concat(rightTokenToLeadingTrivia.Keys).Distinct().ToImmutableArray(); // Find the closest node that contains all the tokens we're editing. That's the // node we'll format at the end. This will ensure that all formattin respects // user settings for things like spacing around commas/operators/etc. var nodeToFormat = tokens.SelectAsArray(t => t.Parent).FindInnermostCommonNode<SyntaxNode>(); // Rewrite the tree performing the following actions: // // 1. Add an annotation to nodeToFormat so that we can find that node again after // updating all tokens. // // 2. Hit all tokens in the two passed in maps, and update their leading/trailing // trivia accordingly. var rewrittenRoot = root.ReplaceSyntax( nodes: new[] { nodeToFormat }, computeReplacementNode: (oldNode, newNode) => newNode.WithAdditionalAnnotations(s_toFormatAnnotation), tokens: leftTokenToTrailingTrivia.Keys.Concat(rightTokenToLeadingTrivia.Keys).Distinct(), computeReplacementToken: (oldToken, newToken) => { if (leftTokenToTrailingTrivia.TryGetValue(oldToken, out var trailingTrivia)) { newToken = newToken.WithTrailingTrivia(trailingTrivia); } if (rightTokenToLeadingTrivia.TryGetValue(oldToken, out var leadingTrivia)) { newToken = newToken.WithLeadingTrivia(leadingTrivia); } return newToken; }, trivia: null, computeReplacementTrivia: null); var trackedNode = rewrittenRoot.GetAnnotatedNodes(s_toFormatAnnotation).Single(); return (root, rewrittenRoot, trackedNode.Span); } public async Task<ImmutableArray<CodeAction>> GetTopLevelCodeActionsAsync() { // Ask subclass to produce whole nested list of wrapping code actions var wrappingGroups = await ComputeWrappingGroupsAsync().ConfigureAwait(false); var result = ArrayBuilder<CodeAction>.GetInstance(); foreach (var group in wrappingGroups) { // if a group is empty just ignore it. var wrappingActions = group.WrappingActions.WhereNotNull().ToImmutableArray(); if (wrappingActions.Length == 0) { continue; } // If a group only has one item, and subclass says the item is inlinable, // then just directly return that nested item as a top level item. if (wrappingActions.Length == 1 && group.IsInlinable) { result.Add(wrappingActions[0]); continue; } // Otherwise, sort items and add to the resultant list var sorted = WrapItemsAction.SortActionsByMostRecentlyUsed(ImmutableArray<CodeAction>.CastUp(wrappingActions)); // Make our code action low priority. This option will be offered *a lot*, and // much of the time will not be something the user particularly wants to do. // It should be offered after all other normal refactorings. result.Add(new CodeActionWithNestedActions( wrappingActions[0].ParentTitle, sorted, group.IsInlinable, CodeActionPriority.Low)); } // Finally, sort the topmost list we're building and return that. This ensures that // both the top level items and the nested items are ordered appropriate. return WrapItemsAction.SortActionsByMostRecentlyUsed(result.ToImmutableAndFree()); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using System.Linq; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.CodeActions; using Microsoft.CodeAnalysis.Editing; using Microsoft.CodeAnalysis.Formatting; using Microsoft.CodeAnalysis.Options; using Microsoft.CodeAnalysis.PooledObjects; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; using static Microsoft.CodeAnalysis.CodeActions.CodeAction; namespace Microsoft.CodeAnalysis.Wrapping { internal abstract partial class AbstractSyntaxWrapper { /// <summary> /// Class responsible for actually computing the entire set of code actions to offer the /// user. Contains lots of helper functionality used by all the different Wrapper /// implementations. /// /// Specifically subclasses of this type can simply provide a list of code-actions to /// perform. This type will then take those code actions and will ensure there aren't /// multiple code actions that end up having the same effect on the document. For example, /// a "wrap all" action may produce the same results as a "wrap long" action. In that case /// this type will only keep around the first of those actions to prevent showing the user /// something that will be unclear. /// </summary> protected abstract class AbstractCodeActionComputer<TWrapper> : ICodeActionComputer where TWrapper : AbstractSyntaxWrapper { /// <summary> /// Annotation used so that we can track the top-most node we want to format after /// performing all our edits. /// </summary> private static readonly SyntaxAnnotation s_toFormatAnnotation = new(); protected readonly TWrapper Wrapper; protected readonly Document OriginalDocument; protected readonly SourceText OriginalSourceText; protected readonly CancellationToken CancellationToken; protected readonly bool UseTabs; protected readonly int TabSize; protected readonly string NewLine; protected readonly int WrappingColumn; protected readonly SyntaxTriviaList NewLineTrivia; protected readonly SyntaxTriviaList SingleWhitespaceTrivia; protected readonly SyntaxTriviaList NoTrivia; /// <summary> /// The contents of the documents we've created code-actions for. This is used so that /// we can prevent creating multiple code actions that produce the same results. /// </summary> private readonly List<SyntaxNode> _seenDocumentRoots = new(); public AbstractCodeActionComputer( TWrapper service, Document document, SourceText originalSourceText, DocumentOptionSet options, CancellationToken cancellationToken) { Wrapper = service; OriginalDocument = document; OriginalSourceText = originalSourceText; CancellationToken = cancellationToken; UseTabs = options.GetOption(FormattingOptions.UseTabs); TabSize = options.GetOption(FormattingOptions.TabSize); NewLine = options.GetOption(FormattingOptions.NewLine); WrappingColumn = options.GetOption(FormattingOptions2.PreferredWrappingColumn); var generator = SyntaxGenerator.GetGenerator(document); var generatorInternal = document.GetRequiredLanguageService<SyntaxGeneratorInternal>(); NewLineTrivia = new SyntaxTriviaList(generatorInternal.EndOfLine(NewLine)); SingleWhitespaceTrivia = new SyntaxTriviaList(generator.Whitespace(" ")); } protected abstract Task<ImmutableArray<WrappingGroup>> ComputeWrappingGroupsAsync(); protected string GetSmartIndentationAfter(SyntaxNodeOrToken nodeOrToken) { var newSourceText = OriginalSourceText.WithChanges(new TextChange(new TextSpan(nodeOrToken.Span.End, 0), NewLine)); newSourceText = newSourceText.WithChanges( new TextChange(TextSpan.FromBounds(nodeOrToken.Span.End + NewLine.Length, newSourceText.Length), "")); var newDocument = OriginalDocument.WithText(newSourceText); var indentationService = Wrapper.IndentationService; var originalLineNumber = newSourceText.Lines.GetLineFromPosition(nodeOrToken.Span.End).LineNumber; var desiredIndentation = indentationService.GetIndentation( newDocument, originalLineNumber + 1, FormattingOptions.IndentStyle.Smart, CancellationToken); var baseLine = newSourceText.Lines.GetLineFromPosition(desiredIndentation.BasePosition); var baseOffsetInLine = desiredIndentation.BasePosition - baseLine.Start; var indent = baseOffsetInLine + desiredIndentation.Offset; var indentString = indent.CreateIndentationString(UseTabs, TabSize); return indentString; } /// <summary> /// Try to create a CodeAction representing these edits. Can return <see langword="null"/> in several /// cases, including: /// /// 1. No edits. /// 2. Edits would change more than whitespace. /// 3. A previous code action was created that already had the same effect. /// </summary> protected async Task<WrapItemsAction> TryCreateCodeActionAsync( ImmutableArray<Edit> edits, string parentTitle, string title) { // First, rewrite the tree with the edits provided. var (root, rewrittenRoot, spanToFormat) = await RewriteTreeAsync(edits).ConfigureAwait(false); if (rewrittenRoot == null) { // Couldn't rewrite for some reason. No code action to create. return null; } // Now, format the part of the tree that we edited. This will ensure we properly // respect the user preferences around things like comma/operator spacing. var formattedDocument = await FormatDocumentAsync(rewrittenRoot, spanToFormat).ConfigureAwait(false); var formattedRoot = await formattedDocument.GetSyntaxRootAsync(CancellationToken).ConfigureAwait(false); // Now, check if this new formatted tree matches our starting tree, or any of the // trees we've already created for our other code actions. If so, we don't want to // add this duplicative code action. Note: this check will actually run quickly. // 'IsEquivalentTo' can return quickly when comparing equivalent green nodes. So // all that we need to check is the spine of the change which will happen very // quickly. if (root.IsEquivalentTo(formattedRoot)) { return null; } foreach (var seenRoot in _seenDocumentRoots) { if (seenRoot.IsEquivalentTo(formattedRoot)) { return null; } } // This is a genuinely different code action from all previous ones we've created. // Store the root so we don't just end up creating this code action again. _seenDocumentRoots.Add(formattedRoot); return new WrapItemsAction(title, parentTitle, _ => Task.FromResult(formattedDocument)); } private async Task<Document> FormatDocumentAsync(SyntaxNode rewrittenRoot, TextSpan spanToFormat) { var newDocument = OriginalDocument.WithSyntaxRoot(rewrittenRoot); var formattedDocument = await Formatter.FormatAsync( newDocument, spanToFormat, cancellationToken: CancellationToken).ConfigureAwait(false); return formattedDocument; } private async Task<(SyntaxNode root, SyntaxNode rewrittenRoot, TextSpan spanToFormat)> RewriteTreeAsync(ImmutableArray<Edit> edits) { using var _1 = PooledDictionary<SyntaxToken, SyntaxTriviaList>.GetInstance(out var leftTokenToTrailingTrivia); using var _2 = PooledDictionary<SyntaxToken, SyntaxTriviaList>.GetInstance(out var rightTokenToLeadingTrivia); foreach (var edit in edits) { var span = TextSpan.FromBounds(edit.Left.Span.End, edit.Right.Span.Start); var text = OriginalSourceText.ToString(span); if (!IsSafeToRemove(text)) { // editing some piece of non-whitespace trivia. We don't support this. return default; } // Make sure we're not about to make an edit that just changes the code to what // is already there. if (text != edit.GetNewTrivia()) { leftTokenToTrailingTrivia.Add(edit.Left, edit.NewLeftTrailingTrivia); rightTokenToLeadingTrivia.Add(edit.Right, edit.NewRightLeadingTrivia); } } if (leftTokenToTrailingTrivia.Count == 0) { // No actual edits that would change anything. Nothing to do. return default; } return await RewriteTreeAsync( leftTokenToTrailingTrivia, rightTokenToLeadingTrivia).ConfigureAwait(false); } private static bool IsSafeToRemove(string text) { foreach (var ch in text) { // It's safe to remove whitespace between tokens, or the VB line-continuation character. if (!char.IsWhiteSpace(ch) && ch != '_') { return false; } } return true; } private async Task<(SyntaxNode root, SyntaxNode rewrittenRoot, TextSpan spanToFormat)> RewriteTreeAsync( Dictionary<SyntaxToken, SyntaxTriviaList> leftTokenToTrailingTrivia, Dictionary<SyntaxToken, SyntaxTriviaList> rightTokenToLeadingTrivia) { var root = await OriginalDocument.GetSyntaxRootAsync(CancellationToken).ConfigureAwait(false); var tokens = leftTokenToTrailingTrivia.Keys.Concat(rightTokenToLeadingTrivia.Keys).Distinct().ToImmutableArray(); // Find the closest node that contains all the tokens we're editing. That's the // node we'll format at the end. This will ensure that all formattin respects // user settings for things like spacing around commas/operators/etc. var nodeToFormat = tokens.SelectAsArray(t => t.Parent).FindInnermostCommonNode<SyntaxNode>(); // Rewrite the tree performing the following actions: // // 1. Add an annotation to nodeToFormat so that we can find that node again after // updating all tokens. // // 2. Hit all tokens in the two passed in maps, and update their leading/trailing // trivia accordingly. var rewrittenRoot = root.ReplaceSyntax( nodes: new[] { nodeToFormat }, computeReplacementNode: (oldNode, newNode) => newNode.WithAdditionalAnnotations(s_toFormatAnnotation), tokens: leftTokenToTrailingTrivia.Keys.Concat(rightTokenToLeadingTrivia.Keys).Distinct(), computeReplacementToken: (oldToken, newToken) => { if (leftTokenToTrailingTrivia.TryGetValue(oldToken, out var trailingTrivia)) { newToken = newToken.WithTrailingTrivia(trailingTrivia); } if (rightTokenToLeadingTrivia.TryGetValue(oldToken, out var leadingTrivia)) { newToken = newToken.WithLeadingTrivia(leadingTrivia); } return newToken; }, trivia: null, computeReplacementTrivia: null); var trackedNode = rewrittenRoot.GetAnnotatedNodes(s_toFormatAnnotation).Single(); return (root, rewrittenRoot, trackedNode.Span); } public async Task<ImmutableArray<CodeAction>> GetTopLevelCodeActionsAsync() { // Ask subclass to produce whole nested list of wrapping code actions var wrappingGroups = await ComputeWrappingGroupsAsync().ConfigureAwait(false); var result = ArrayBuilder<CodeAction>.GetInstance(); foreach (var group in wrappingGroups) { // if a group is empty just ignore it. var wrappingActions = group.WrappingActions.WhereNotNull().ToImmutableArray(); if (wrappingActions.Length == 0) { continue; } // If a group only has one item, and subclass says the item is inlinable, // then just directly return that nested item as a top level item. if (wrappingActions.Length == 1 && group.IsInlinable) { result.Add(wrappingActions[0]); continue; } // Otherwise, sort items and add to the resultant list var sorted = WrapItemsAction.SortActionsByMostRecentlyUsed(ImmutableArray<CodeAction>.CastUp(wrappingActions)); // Make our code action low priority. This option will be offered *a lot*, and // much of the time will not be something the user particularly wants to do. // It should be offered after all other normal refactorings. result.Add(new CodeActionWithNestedActions( wrappingActions[0].ParentTitle, sorted, group.IsInlinable, CodeActionPriority.Low)); } // Finally, sort the topmost list we're building and return that. This ensures that // both the top level items and the nested items are ordered appropriate. return WrapItemsAction.SortActionsByMostRecentlyUsed(result.ToImmutableAndFree()); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Tools/Source/CompilerGeneratorTools/Source/CSharpSyntaxGenerator/TestWriter.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.IO; using System.Linq; using System.Threading; namespace CSharpSyntaxGenerator { internal class TestWriter : AbstractFileWriter { private TestWriter(TextWriter writer, Tree tree, CancellationToken cancellationToken = default) : base(writer, tree, cancellationToken) { } public static void Write(TextWriter writer, Tree tree) { new TestWriter(writer, tree).WriteFile(); } private void WriteFile() { WriteLine("// <auto-generated />"); WriteLine(); WriteLine("using Microsoft.CodeAnalysis.CSharp.Syntax;"); WriteLine("using Roslyn.Utilities;"); WriteLine("using Xunit;"); WriteLine("using InternalSyntaxFactory = Microsoft.CodeAnalysis.CSharp.Syntax.InternalSyntax.SyntaxFactory;"); WriteLine(); WriteLine("namespace Microsoft.CodeAnalysis.CSharp.UnitTests"); OpenBlock(); WriteLine(); WriteLine("public partial class GreenNodeTests"); OpenBlock(); WriteLine("#region Green Generators"); WriteNodeGenerators(isGreen: true); WriteLine("#endregion Green Generators"); WriteLine(); WriteLine("#region Green Factory and Property Tests"); WriteFactoryPropertyTests(isGreen: true); WriteLine("#endregion Green Factory and Property Tests"); WriteLine(); WriteLine("#region Green Rewriters"); WriteRewriterTests(); WriteLine("#endregion Green Rewriters"); CloseBlock(); WriteLine(); WriteLine("public partial class RedNodeTests"); OpenBlock(); WriteLine("#region Red Generators"); WriteNodeGenerators(isGreen: false); WriteLine("#endregion Red Generators"); WriteLine(); WriteLine("#region Red Factory and Property Tests"); WriteFactoryPropertyTests(isGreen: false); WriteLine("#endregion Red Factory and Property Tests"); WriteLine(); WriteLine("#region Red Rewriters"); WriteRewriterTests(); WriteLine("#endregion Red Rewriters"); CloseBlock(); CloseBlock(); } private void WriteNodeGenerators(bool isGreen) { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteNodeGenerator((Node)node, isGreen); } } private void WriteNodeGenerator(Node node, bool isGreen) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var internalNamespace = isGreen ? "Microsoft.CodeAnalysis.Syntax.InternalSyntax." : ""; var csharpNamespace = isGreen ? "Syntax.InternalSyntax." : ""; var syntaxFactory = isGreen ? "InternalSyntaxFactory" : "SyntaxFactory"; var strippedName = StripPost(node.Name, "Syntax"); WriteLine($"private static {csharpNamespace}{node.Name} Generate{strippedName}()"); Write($" => {syntaxFactory}.{strippedName}("); //instantiate node bool first = true; if (node.Kinds.Count > 1) { Write($"SyntaxKind.{node.Kinds[0].Name}"); //TODO: other kinds? first = false; } foreach (var field in nodeFields) { if (!first) { Write(", "); } first = false; if (IsOptional(field)) { if (isGreen) { Write("null"); } else { Write($"default({field.Type})"); } } else if (IsAnyList(field.Type)) { string typeName; if (isGreen) { typeName = internalNamespace + field.Type.Replace("<", "<" + csharpNamespace); } else { typeName = (field.Type == "SyntaxList<SyntaxToken>") ? "SyntaxTokenList" : field.Type; } Write($"new {typeName}()"); } else if (field.Type == "SyntaxToken") { var kind = ChooseValidKind(field, node); var leadingTrivia = isGreen ? "null, " : string.Empty; var trailingTrivia = isGreen ? ", null" : string.Empty; if (kind == "IdentifierToken") { Write($"{syntaxFactory}.Identifier(\"{field.Name}\")"); } else if (kind == "StringLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"string\", \"string\"{trailingTrivia})"); } else if (kind == "CharacterLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"a\", 'a'{trailingTrivia})"); } else if (kind == "NumericLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"1\", 1{trailingTrivia})"); } else { Write($"{syntaxFactory}.Token(SyntaxKind.{kind})"); } } else if (field.Type == "CSharpSyntaxNode") { Write($"{syntaxFactory}.IdentifierName({syntaxFactory}.Identifier(\"{field.Name}\"))"); } else { //drill down to a concrete type var type = field.Type; while (true) { var subTypes = ChildMap[type]; if (!subTypes.Any()) { break; } type = subTypes.First(); } Write($"Generate{StripPost(type, "Syntax")}()"); } } foreach (var field in valueFields) { if (!first) { Write(", "); } first = false; Write($"new {field.Type}()"); } WriteLine(");"); } private void WriteFactoryPropertyTests(bool isGreen) { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteFactoryPropertyTest((Node)node, isGreen); } } private void WriteFactoryPropertyTest(Node node, bool isGreen) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}FactoryAndProperties()"); OpenBlock(); WriteLine($"var node = Generate{strippedName}();"); WriteLine(); //check properties { string withStat = null; foreach (var field in nodeFields) { if (IsOptional(field)) { if (!isGreen && field.Type == "SyntaxToken") { WriteLine($"Assert.Equal(SyntaxKind.None, node.{field.Name}.Kind());"); } else { WriteLine($"Assert.Null(node.{field.Name});"); } } else if (field.Type == "SyntaxToken") { var kind = ChooseValidKind(field, node); if (!isGreen) { WriteLine($"Assert.Equal(SyntaxKind.{kind}, node.{field.Name}.Kind());"); } else { WriteLine($"Assert.Equal(SyntaxKind.{kind}, node.{field.Name}.Kind);"); } } else { if (field.Type == "SyntaxToken") { WriteLine($"Assert.NotEqual(default, node.{field.Name});"); } else if ( field.Type == "SyntaxTokenList" || field.Type.StartsWith("SyntaxList<") || field.Type.StartsWith("SeparatedSyntaxList<")) { WriteLine($"Assert.Equal(default, node.{field.Name});"); } else { WriteLine($"Assert.NotNull(node.{field.Name});"); } } if (!isGreen) { withStat += $".With{field.Name}(node.{field.Name})"; } } foreach (var field in valueFields) { WriteLine($"Assert.Equal(new {field.Type}(), node.{field.Name});"); if (!isGreen) { withStat += $".With{field.Name}(node.{field.Name})"; } } if (!isGreen && withStat != null) { WriteLine($"var newNode = node{withStat};"); WriteLine("Assert.Equal(node, newNode);"); } } if (isGreen) { WriteLine(); WriteLine("AttachAndCheckDiagnostics(node);"); } CloseBlock(); } private void WriteRewriterTests() { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteTokenDeleteRewriterTest((Node)node); WriteLine(); WriteIdentityRewriterTest((Node)node); } } private void WriteTokenDeleteRewriterTest(Node node) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}TokenDeleteRewriter()"); OpenBlock(); WriteLine($"var oldNode = Generate{strippedName}();"); WriteLine("var rewriter = new TokenDeleteRewriter();"); WriteLine("var newNode = rewriter.Visit(oldNode);"); WriteLine(); WriteLine("if(!oldNode.IsMissing)"); OpenBlock(); WriteLine("Assert.NotEqual(oldNode, newNode);"); CloseBlock(); WriteLine(); WriteLine("Assert.NotNull(newNode);"); WriteLine("Assert.True(newNode.IsMissing, \"No tokens => missing\");"); CloseBlock(); } private void WriteIdentityRewriterTest(Node node) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}IdentityRewriter()"); OpenBlock(); WriteLine($"var oldNode = Generate{strippedName}();"); WriteLine("var rewriter = new IdentityRewriter();"); WriteLine("var newNode = rewriter.Visit(oldNode);"); WriteLine(); WriteLine("Assert.Same(oldNode, newNode);"); CloseBlock(); } //guess a reasonable kind if there are no constraints private string ChooseValidKind(Field field, Node nd) { var fieldKinds = GetKindsOfFieldOrNearestParent(nd, field); return fieldKinds?.Any() == true ? fieldKinds[0].Name : "IdentifierToken"; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.IO; using System.Linq; using System.Threading; namespace CSharpSyntaxGenerator { internal class TestWriter : AbstractFileWriter { private TestWriter(TextWriter writer, Tree tree, CancellationToken cancellationToken = default) : base(writer, tree, cancellationToken) { } public static void Write(TextWriter writer, Tree tree) { new TestWriter(writer, tree).WriteFile(); } private void WriteFile() { WriteLine("// <auto-generated />"); WriteLine(); WriteLine("using Microsoft.CodeAnalysis.CSharp.Syntax;"); WriteLine("using Roslyn.Utilities;"); WriteLine("using Xunit;"); WriteLine("using InternalSyntaxFactory = Microsoft.CodeAnalysis.CSharp.Syntax.InternalSyntax.SyntaxFactory;"); WriteLine(); WriteLine("namespace Microsoft.CodeAnalysis.CSharp.UnitTests"); OpenBlock(); WriteLine(); WriteLine("public partial class GreenNodeTests"); OpenBlock(); WriteLine("#region Green Generators"); WriteNodeGenerators(isGreen: true); WriteLine("#endregion Green Generators"); WriteLine(); WriteLine("#region Green Factory and Property Tests"); WriteFactoryPropertyTests(isGreen: true); WriteLine("#endregion Green Factory and Property Tests"); WriteLine(); WriteLine("#region Green Rewriters"); WriteRewriterTests(); WriteLine("#endregion Green Rewriters"); CloseBlock(); WriteLine(); WriteLine("public partial class RedNodeTests"); OpenBlock(); WriteLine("#region Red Generators"); WriteNodeGenerators(isGreen: false); WriteLine("#endregion Red Generators"); WriteLine(); WriteLine("#region Red Factory and Property Tests"); WriteFactoryPropertyTests(isGreen: false); WriteLine("#endregion Red Factory and Property Tests"); WriteLine(); WriteLine("#region Red Rewriters"); WriteRewriterTests(); WriteLine("#endregion Red Rewriters"); CloseBlock(); CloseBlock(); } private void WriteNodeGenerators(bool isGreen) { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteNodeGenerator((Node)node, isGreen); } } private void WriteNodeGenerator(Node node, bool isGreen) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var internalNamespace = isGreen ? "Microsoft.CodeAnalysis.Syntax.InternalSyntax." : ""; var csharpNamespace = isGreen ? "Syntax.InternalSyntax." : ""; var syntaxFactory = isGreen ? "InternalSyntaxFactory" : "SyntaxFactory"; var strippedName = StripPost(node.Name, "Syntax"); WriteLine($"private static {csharpNamespace}{node.Name} Generate{strippedName}()"); Write($" => {syntaxFactory}.{strippedName}("); //instantiate node bool first = true; if (node.Kinds.Count > 1) { Write($"SyntaxKind.{node.Kinds[0].Name}"); //TODO: other kinds? first = false; } foreach (var field in nodeFields) { if (!first) { Write(", "); } first = false; if (IsOptional(field)) { if (isGreen) { Write("null"); } else { Write($"default({field.Type})"); } } else if (IsAnyList(field.Type)) { string typeName; if (isGreen) { typeName = internalNamespace + field.Type.Replace("<", "<" + csharpNamespace); } else { typeName = (field.Type == "SyntaxList<SyntaxToken>") ? "SyntaxTokenList" : field.Type; } Write($"new {typeName}()"); } else if (field.Type == "SyntaxToken") { var kind = ChooseValidKind(field, node); var leadingTrivia = isGreen ? "null, " : string.Empty; var trailingTrivia = isGreen ? ", null" : string.Empty; if (kind == "IdentifierToken") { Write($"{syntaxFactory}.Identifier(\"{field.Name}\")"); } else if (kind == "StringLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"string\", \"string\"{trailingTrivia})"); } else if (kind == "CharacterLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"a\", 'a'{trailingTrivia})"); } else if (kind == "NumericLiteralToken") { Write($"{syntaxFactory}.Literal({leadingTrivia}\"1\", 1{trailingTrivia})"); } else { Write($"{syntaxFactory}.Token(SyntaxKind.{kind})"); } } else if (field.Type == "CSharpSyntaxNode") { Write($"{syntaxFactory}.IdentifierName({syntaxFactory}.Identifier(\"{field.Name}\"))"); } else { //drill down to a concrete type var type = field.Type; while (true) { var subTypes = ChildMap[type]; if (!subTypes.Any()) { break; } type = subTypes.First(); } Write($"Generate{StripPost(type, "Syntax")}()"); } } foreach (var field in valueFields) { if (!first) { Write(", "); } first = false; Write($"new {field.Type}()"); } WriteLine(");"); } private void WriteFactoryPropertyTests(bool isGreen) { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteFactoryPropertyTest((Node)node, isGreen); } } private void WriteFactoryPropertyTest(Node node, bool isGreen) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}FactoryAndProperties()"); OpenBlock(); WriteLine($"var node = Generate{strippedName}();"); WriteLine(); //check properties { string withStat = null; foreach (var field in nodeFields) { if (IsOptional(field)) { if (!isGreen && field.Type == "SyntaxToken") { WriteLine($"Assert.Equal(SyntaxKind.None, node.{field.Name}.Kind());"); } else { WriteLine($"Assert.Null(node.{field.Name});"); } } else if (field.Type == "SyntaxToken") { var kind = ChooseValidKind(field, node); if (!isGreen) { WriteLine($"Assert.Equal(SyntaxKind.{kind}, node.{field.Name}.Kind());"); } else { WriteLine($"Assert.Equal(SyntaxKind.{kind}, node.{field.Name}.Kind);"); } } else { if (field.Type == "SyntaxToken") { WriteLine($"Assert.NotEqual(default, node.{field.Name});"); } else if ( field.Type == "SyntaxTokenList" || field.Type.StartsWith("SyntaxList<") || field.Type.StartsWith("SeparatedSyntaxList<")) { WriteLine($"Assert.Equal(default, node.{field.Name});"); } else { WriteLine($"Assert.NotNull(node.{field.Name});"); } } if (!isGreen) { withStat += $".With{field.Name}(node.{field.Name})"; } } foreach (var field in valueFields) { WriteLine($"Assert.Equal(new {field.Type}(), node.{field.Name});"); if (!isGreen) { withStat += $".With{field.Name}(node.{field.Name})"; } } if (!isGreen && withStat != null) { WriteLine($"var newNode = node{withStat};"); WriteLine("Assert.Equal(node, newNode);"); } } if (isGreen) { WriteLine(); WriteLine("AttachAndCheckDiagnostics(node);"); } CloseBlock(); } private void WriteRewriterTests() { var nodes = Tree.Types.Where(n => !(n is PredefinedNode) && !(n is AbstractNode)); bool first = true; foreach (var node in nodes) { if (!first) { WriteLine(); } first = false; WriteTokenDeleteRewriterTest((Node)node); WriteLine(); WriteIdentityRewriterTest((Node)node); } } private void WriteTokenDeleteRewriterTest(Node node) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}TokenDeleteRewriter()"); OpenBlock(); WriteLine($"var oldNode = Generate{strippedName}();"); WriteLine("var rewriter = new TokenDeleteRewriter();"); WriteLine("var newNode = rewriter.Visit(oldNode);"); WriteLine(); WriteLine("if(!oldNode.IsMissing)"); OpenBlock(); WriteLine("Assert.NotEqual(oldNode, newNode);"); CloseBlock(); WriteLine(); WriteLine("Assert.NotNull(newNode);"); WriteLine("Assert.True(newNode.IsMissing, \"No tokens => missing\");"); CloseBlock(); } private void WriteIdentityRewriterTest(Node node) { var valueFields = node.Fields.Where(n => !IsNodeOrNodeList(n.Type)); var nodeFields = node.Fields.Where(n => IsNodeOrNodeList(n.Type)); var strippedName = StripPost(node.Name, "Syntax"); WriteLine("[Fact]"); WriteLine($"public void Test{strippedName}IdentityRewriter()"); OpenBlock(); WriteLine($"var oldNode = Generate{strippedName}();"); WriteLine("var rewriter = new IdentityRewriter();"); WriteLine("var newNode = rewriter.Visit(oldNode);"); WriteLine(); WriteLine("Assert.Same(oldNode, newNode);"); CloseBlock(); } //guess a reasonable kind if there are no constraints private string ChooseValidKind(Field field, Node nd) { var fieldKinds = GetKindsOfFieldOrNearestParent(nd, field); return fieldKinds?.Any() == true ? fieldKinds[0].Name : "IdentifierToken"; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/SolutionCrawler/IncrementalAnalyzerProviderBase.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; namespace Microsoft.CodeAnalysis.SolutionCrawler { internal class IncrementalAnalyzerProviderBase : IIncrementalAnalyzerProvider { private readonly List<Lazy<IPerLanguageIncrementalAnalyzerProvider, PerLanguageIncrementalAnalyzerProviderMetadata>> _providers; protected IncrementalAnalyzerProviderBase( string name, IEnumerable<Lazy<IPerLanguageIncrementalAnalyzerProvider, PerLanguageIncrementalAnalyzerProviderMetadata>> providers) { _providers = providers.Where(p => p.Metadata.Name == name).ToList(); } public virtual IIncrementalAnalyzer CreateIncrementalAnalyzer(Workspace workspace) => new AggregateIncrementalAnalyzer(workspace, this, _providers); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; namespace Microsoft.CodeAnalysis.SolutionCrawler { internal class IncrementalAnalyzerProviderBase : IIncrementalAnalyzerProvider { private readonly List<Lazy<IPerLanguageIncrementalAnalyzerProvider, PerLanguageIncrementalAnalyzerProviderMetadata>> _providers; protected IncrementalAnalyzerProviderBase( string name, IEnumerable<Lazy<IPerLanguageIncrementalAnalyzerProvider, PerLanguageIncrementalAnalyzerProviderMetadata>> providers) { _providers = providers.Where(p => p.Metadata.Name == name).ToList(); } public virtual IIncrementalAnalyzer CreateIncrementalAnalyzer(Workspace workspace) => new AggregateIncrementalAnalyzer(workspace, this, _providers); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/Core/Def/Implementation/Library/ObjectBrowser/Lists/NamespaceListItem.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Library.ObjectBrowser.Lists { internal class NamespaceListItem : SymbolListItem<INamespaceSymbol> { public NamespaceListItem(ProjectId projectId, INamespaceSymbol namespaceSymbol, string displayText, string fullNameText, string searchText) : base(projectId, namespaceSymbol, displayText, fullNameText, searchText, isHidden: false) { } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Library.ObjectBrowser.Lists { internal class NamespaceListItem : SymbolListItem<INamespaceSymbol> { public NamespaceListItem(ProjectId projectId, INamespaceSymbol namespaceSymbol, string displayText, string fullNameText, string searchText) : base(projectId, namespaceSymbol, displayText, fullNameText, searchText, isHidden: false) { } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/NavigationBar/NavigationBarItems/RoslynNavigationBarItem.GenerateMethodItem.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; namespace Microsoft.CodeAnalysis.NavigationBar { internal abstract partial class RoslynNavigationBarItem { public class GenerateMethod : AbstractGenerateCodeItem, IEquatable<GenerateMethod> { public readonly SymbolKey MethodToReplicateSymbolKey; public GenerateMethod(string text, Glyph glyph, SymbolKey destinationTypeSymbolId, SymbolKey methodToReplicateSymbolId) : base(RoslynNavigationBarItemKind.GenerateMethod, text, glyph, destinationTypeSymbolId) { MethodToReplicateSymbolKey = methodToReplicateSymbolId; } protected internal override SerializableNavigationBarItem Dehydrate() => SerializableNavigationBarItem.GenerateMethod(Text, Glyph, DestinationTypeSymbolKey, MethodToReplicateSymbolKey); public override bool Equals(object? obj) => Equals(obj as GenerateMethod); public bool Equals(GenerateMethod? other) => base.Equals(other) && MethodToReplicateSymbolKey.Equals(other.MethodToReplicateSymbolKey); public override int GetHashCode() => throw new NotImplementedException(); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; namespace Microsoft.CodeAnalysis.NavigationBar { internal abstract partial class RoslynNavigationBarItem { public class GenerateMethod : AbstractGenerateCodeItem, IEquatable<GenerateMethod> { public readonly SymbolKey MethodToReplicateSymbolKey; public GenerateMethod(string text, Glyph glyph, SymbolKey destinationTypeSymbolId, SymbolKey methodToReplicateSymbolId) : base(RoslynNavigationBarItemKind.GenerateMethod, text, glyph, destinationTypeSymbolId) { MethodToReplicateSymbolKey = methodToReplicateSymbolId; } protected internal override SerializableNavigationBarItem Dehydrate() => SerializableNavigationBarItem.GenerateMethod(Text, Glyph, DestinationTypeSymbolKey, MethodToReplicateSymbolKey); public override bool Equals(object? obj) => Equals(obj as GenerateMethod); public bool Equals(GenerateMethod? other) => base.Equals(other) && MethodToReplicateSymbolKey.Equals(other.MethodToReplicateSymbolKey); public override int GetHashCode() => throw new NotImplementedException(); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/ExpressionEvaluator/Core/Source/FunctionResolver/CSharp/MemberSignatureParser.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis.ExpressionEvaluator; using System; using System.Collections.Immutable; using System.Diagnostics; namespace Microsoft.CodeAnalysis.CSharp.ExpressionEvaluator { internal sealed partial class MemberSignatureParser { internal static RequestSignature Parse(string signature) { var scanner = new Scanner(signature); var builder = ImmutableArray.CreateBuilder<Token>(); Token token; do { scanner.MoveNext(); token = scanner.CurrentToken; builder.Add(token); } while (token.Kind != TokenKind.End); var parser = new MemberSignatureParser(builder.ToImmutable()); try { return parser.Parse(); } catch (InvalidSignatureException) { return null; } } private readonly ImmutableArray<Token> _tokens; private int _tokenIndex; private MemberSignatureParser(ImmutableArray<Token> tokens) { _tokens = tokens; _tokenIndex = 0; } private Token CurrentToken => _tokens[_tokenIndex]; private Token EatToken() { var token = CurrentToken; Debug.Assert(token.Kind != TokenKind.End); _tokenIndex++; return token; } private RequestSignature Parse() { var methodName = ParseName(); var parameters = default(ImmutableArray<ParameterSignature>); if (CurrentToken.Kind == TokenKind.OpenParen) { parameters = ParseParameters(); } if (CurrentToken.Kind != TokenKind.End) { throw InvalidSignature(); } return new RequestSignature(methodName, parameters); } private Name ParseName() { Name signature = null; while (true) { if (CurrentToken.Kind != TokenKind.Identifier) { throw InvalidSignature(); } var name = EatToken().Text; signature = new QualifiedName(signature, name); if (CurrentToken.Kind == TokenKind.LessThan) { var typeParameters = ParseTypeParameters(); signature = new GenericName((QualifiedName)signature, typeParameters); } if (CurrentToken.Kind != TokenKind.Dot) { return signature; } EatToken(); } } private ImmutableArray<string> ParseTypeParameters() { Debug.Assert(CurrentToken.Kind == TokenKind.LessThan); EatToken(); var builder = ImmutableArray.CreateBuilder<string>(); while (true) { if (CurrentToken.Kind != TokenKind.Identifier) { throw InvalidSignature(); } var name = EatToken().Text; builder.Add(name); switch (CurrentToken.Kind) { case TokenKind.GreaterThan: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private TypeSignature ParseTypeName() { TypeSignature signature = null; while (true) { switch (CurrentToken.Kind) { case TokenKind.Identifier: { var token = EatToken(); var name = token.Text; signature = new QualifiedTypeSignature(signature, name); } break; case TokenKind.Keyword: if (signature == null) { // Expand special type keywords (object, int, etc.) to qualified names. // This is only done for the first identifier in a qualified name. var specialType = GetSpecialType(CurrentToken.KeywordKind); if (specialType != SpecialType.None) { EatToken(); signature = specialType.GetTypeSignature(); Debug.Assert(signature != null); } if (signature != null) { break; } } throw InvalidSignature(); default: throw InvalidSignature(); } if (CurrentToken.Kind == TokenKind.LessThan) { var typeArguments = ParseTypeArguments(); signature = new GenericTypeSignature((QualifiedTypeSignature)signature, typeArguments); } if (CurrentToken.Kind != TokenKind.Dot) { return signature; } EatToken(); } } private ImmutableArray<TypeSignature> ParseTypeArguments() { Debug.Assert(CurrentToken.Kind == TokenKind.LessThan); EatToken(); var builder = ImmutableArray.CreateBuilder<TypeSignature>(); while (true) { var name = ParseType(); builder.Add(name); switch (CurrentToken.Kind) { case TokenKind.GreaterThan: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private TypeSignature ParseType() { TypeSignature type = ParseTypeName(); while (true) { switch (CurrentToken.Kind) { case TokenKind.OpenBracket: EatToken(); int rank = 1; while (CurrentToken.Kind == TokenKind.Comma) { EatToken(); rank++; } if (CurrentToken.Kind != TokenKind.CloseBracket) { throw InvalidSignature(); } EatToken(); type = new ArrayTypeSignature(type, rank); break; case TokenKind.Asterisk: EatToken(); type = new PointerTypeSignature(type); break; case TokenKind.QuestionMark: EatToken(); type = new GenericTypeSignature( SpecialType.System_Nullable_T.GetTypeSignature(), ImmutableArray.Create(type)); break; default: return type; } } } // Returns true if the parameter is by reference. private bool ParseParameterModifiers() { bool isByRef = false; while (true) { var kind = CurrentToken.KeywordKind; if (kind != SyntaxKind.RefKeyword && kind != SyntaxKind.OutKeyword) { break; } if (isByRef) { // Duplicate modifiers. throw InvalidSignature(); } isByRef = true; EatToken(); } return isByRef; } private ImmutableArray<ParameterSignature> ParseParameters() { Debug.Assert(CurrentToken.Kind == TokenKind.OpenParen); EatToken(); if (CurrentToken.Kind == TokenKind.CloseParen) { EatToken(); return ImmutableArray<ParameterSignature>.Empty; } var builder = ImmutableArray.CreateBuilder<ParameterSignature>(); while (true) { bool isByRef = ParseParameterModifiers(); var parameterType = ParseType(); builder.Add(new ParameterSignature(parameterType, isByRef)); switch (CurrentToken.Kind) { case TokenKind.CloseParen: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private static SpecialType GetSpecialType(SyntaxKind kind) { switch (kind) { case SyntaxKind.VoidKeyword: return SpecialType.System_Void; case SyntaxKind.BoolKeyword: return SpecialType.System_Boolean; case SyntaxKind.CharKeyword: return SpecialType.System_Char; case SyntaxKind.SByteKeyword: return SpecialType.System_SByte; case SyntaxKind.ByteKeyword: return SpecialType.System_Byte; case SyntaxKind.ShortKeyword: return SpecialType.System_Int16; case SyntaxKind.UShortKeyword: return SpecialType.System_UInt16; case SyntaxKind.IntKeyword: return SpecialType.System_Int32; case SyntaxKind.UIntKeyword: return SpecialType.System_UInt32; case SyntaxKind.LongKeyword: return SpecialType.System_Int64; case SyntaxKind.ULongKeyword: return SpecialType.System_UInt64; case SyntaxKind.FloatKeyword: return SpecialType.System_Single; case SyntaxKind.DoubleKeyword: return SpecialType.System_Double; case SyntaxKind.StringKeyword: return SpecialType.System_String; case SyntaxKind.ObjectKeyword: return SpecialType.System_Object; case SyntaxKind.DecimalKeyword: return SpecialType.System_Decimal; default: return SpecialType.None; } } private static Exception InvalidSignature() { return new InvalidSignatureException(); } private sealed class InvalidSignatureException : Exception { } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using Microsoft.CodeAnalysis.ExpressionEvaluator; using System; using System.Collections.Immutable; using System.Diagnostics; namespace Microsoft.CodeAnalysis.CSharp.ExpressionEvaluator { internal sealed partial class MemberSignatureParser { internal static RequestSignature Parse(string signature) { var scanner = new Scanner(signature); var builder = ImmutableArray.CreateBuilder<Token>(); Token token; do { scanner.MoveNext(); token = scanner.CurrentToken; builder.Add(token); } while (token.Kind != TokenKind.End); var parser = new MemberSignatureParser(builder.ToImmutable()); try { return parser.Parse(); } catch (InvalidSignatureException) { return null; } } private readonly ImmutableArray<Token> _tokens; private int _tokenIndex; private MemberSignatureParser(ImmutableArray<Token> tokens) { _tokens = tokens; _tokenIndex = 0; } private Token CurrentToken => _tokens[_tokenIndex]; private Token EatToken() { var token = CurrentToken; Debug.Assert(token.Kind != TokenKind.End); _tokenIndex++; return token; } private RequestSignature Parse() { var methodName = ParseName(); var parameters = default(ImmutableArray<ParameterSignature>); if (CurrentToken.Kind == TokenKind.OpenParen) { parameters = ParseParameters(); } if (CurrentToken.Kind != TokenKind.End) { throw InvalidSignature(); } return new RequestSignature(methodName, parameters); } private Name ParseName() { Name signature = null; while (true) { if (CurrentToken.Kind != TokenKind.Identifier) { throw InvalidSignature(); } var name = EatToken().Text; signature = new QualifiedName(signature, name); if (CurrentToken.Kind == TokenKind.LessThan) { var typeParameters = ParseTypeParameters(); signature = new GenericName((QualifiedName)signature, typeParameters); } if (CurrentToken.Kind != TokenKind.Dot) { return signature; } EatToken(); } } private ImmutableArray<string> ParseTypeParameters() { Debug.Assert(CurrentToken.Kind == TokenKind.LessThan); EatToken(); var builder = ImmutableArray.CreateBuilder<string>(); while (true) { if (CurrentToken.Kind != TokenKind.Identifier) { throw InvalidSignature(); } var name = EatToken().Text; builder.Add(name); switch (CurrentToken.Kind) { case TokenKind.GreaterThan: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private TypeSignature ParseTypeName() { TypeSignature signature = null; while (true) { switch (CurrentToken.Kind) { case TokenKind.Identifier: { var token = EatToken(); var name = token.Text; signature = new QualifiedTypeSignature(signature, name); } break; case TokenKind.Keyword: if (signature == null) { // Expand special type keywords (object, int, etc.) to qualified names. // This is only done for the first identifier in a qualified name. var specialType = GetSpecialType(CurrentToken.KeywordKind); if (specialType != SpecialType.None) { EatToken(); signature = specialType.GetTypeSignature(); Debug.Assert(signature != null); } if (signature != null) { break; } } throw InvalidSignature(); default: throw InvalidSignature(); } if (CurrentToken.Kind == TokenKind.LessThan) { var typeArguments = ParseTypeArguments(); signature = new GenericTypeSignature((QualifiedTypeSignature)signature, typeArguments); } if (CurrentToken.Kind != TokenKind.Dot) { return signature; } EatToken(); } } private ImmutableArray<TypeSignature> ParseTypeArguments() { Debug.Assert(CurrentToken.Kind == TokenKind.LessThan); EatToken(); var builder = ImmutableArray.CreateBuilder<TypeSignature>(); while (true) { var name = ParseType(); builder.Add(name); switch (CurrentToken.Kind) { case TokenKind.GreaterThan: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private TypeSignature ParseType() { TypeSignature type = ParseTypeName(); while (true) { switch (CurrentToken.Kind) { case TokenKind.OpenBracket: EatToken(); int rank = 1; while (CurrentToken.Kind == TokenKind.Comma) { EatToken(); rank++; } if (CurrentToken.Kind != TokenKind.CloseBracket) { throw InvalidSignature(); } EatToken(); type = new ArrayTypeSignature(type, rank); break; case TokenKind.Asterisk: EatToken(); type = new PointerTypeSignature(type); break; case TokenKind.QuestionMark: EatToken(); type = new GenericTypeSignature( SpecialType.System_Nullable_T.GetTypeSignature(), ImmutableArray.Create(type)); break; default: return type; } } } // Returns true if the parameter is by reference. private bool ParseParameterModifiers() { bool isByRef = false; while (true) { var kind = CurrentToken.KeywordKind; if (kind != SyntaxKind.RefKeyword && kind != SyntaxKind.OutKeyword) { break; } if (isByRef) { // Duplicate modifiers. throw InvalidSignature(); } isByRef = true; EatToken(); } return isByRef; } private ImmutableArray<ParameterSignature> ParseParameters() { Debug.Assert(CurrentToken.Kind == TokenKind.OpenParen); EatToken(); if (CurrentToken.Kind == TokenKind.CloseParen) { EatToken(); return ImmutableArray<ParameterSignature>.Empty; } var builder = ImmutableArray.CreateBuilder<ParameterSignature>(); while (true) { bool isByRef = ParseParameterModifiers(); var parameterType = ParseType(); builder.Add(new ParameterSignature(parameterType, isByRef)); switch (CurrentToken.Kind) { case TokenKind.CloseParen: EatToken(); return builder.ToImmutable(); case TokenKind.Comma: EatToken(); break; default: throw InvalidSignature(); } } } private static SpecialType GetSpecialType(SyntaxKind kind) { switch (kind) { case SyntaxKind.VoidKeyword: return SpecialType.System_Void; case SyntaxKind.BoolKeyword: return SpecialType.System_Boolean; case SyntaxKind.CharKeyword: return SpecialType.System_Char; case SyntaxKind.SByteKeyword: return SpecialType.System_SByte; case SyntaxKind.ByteKeyword: return SpecialType.System_Byte; case SyntaxKind.ShortKeyword: return SpecialType.System_Int16; case SyntaxKind.UShortKeyword: return SpecialType.System_UInt16; case SyntaxKind.IntKeyword: return SpecialType.System_Int32; case SyntaxKind.UIntKeyword: return SpecialType.System_UInt32; case SyntaxKind.LongKeyword: return SpecialType.System_Int64; case SyntaxKind.ULongKeyword: return SpecialType.System_UInt64; case SyntaxKind.FloatKeyword: return SpecialType.System_Single; case SyntaxKind.DoubleKeyword: return SpecialType.System_Double; case SyntaxKind.StringKeyword: return SpecialType.System_String; case SyntaxKind.ObjectKeyword: return SpecialType.System_Object; case SyntaxKind.DecimalKeyword: return SpecialType.System_Decimal; default: return SpecialType.None; } } private static Exception InvalidSignature() { return new InvalidSignatureException(); } private sealed class InvalidSignatureException : Exception { } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Core/Portable/DiaSymReader/Metadata/IMetadataEmit.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable #pragma warning disable 436 // SuppressUnmanagedCodeSecurityAttribute defined in source and mscorlib using System; using System.Runtime.InteropServices; using System.Security; namespace Microsoft.DiaSymReader { [ComImport] [InterfaceType(ComInterfaceType.InterfaceIsIUnknown)] [Guid("BA3FEE4C-ECB9-4e41-83B7-183FA41CD859")] [SuppressUnmanagedCodeSecurity] internal unsafe interface IMetadataEmit { // SymWriter doesn't use any methods from this interface except for GetTokenFromSig, which is only called when // DefineLocalVariable(2) and DefineConstant(2) don't specify signature token, or the token is nil. void __SetModuleProps(); void __Save(); void __SaveToStream(); void __GetSaveSize(); void __DefineTypeDef(); void __DefineNestedType(); void __SetHandler(); void __DefineMethod(); void __DefineMethodImpl(); void __DefineTypeRefByName(); void __DefineImportType(); void __DefineMemberRef(); void __DefineImportMember(); void __DefineEvent(); void __SetClassLayout(); void __DeleteClassLayout(); void __SetFieldMarshal(); void __DeleteFieldMarshal(); void __DefinePermissionSet(); void __SetRVA(); int GetTokenFromSig(byte* voidPointerSig, int byteCountSig); void __DefineModuleRef(); void __SetParent(); void __GetTokenFromTypeSpec(); void __SaveToMemory(); void __DefineUserString(); void __DeleteToken(); void __SetMethodProps(); void __SetTypeDefProps(); void __SetEventProps(); void __SetPermissionSetProps(); void __DefinePinvokeMap(); void __SetPinvokeMap(); void __DeletePinvokeMap(); void __DefineCustomAttribute(); void __SetCustomAttributeValue(); void __DefineField(); void __DefineProperty(); void __DefineParam(); void __SetFieldProps(); void __SetPropertyProps(); void __SetParamProps(); void __DefineSecurityAttributeSet(); void __ApplyEditAndContinue(); void __TranslateSigWithScope(); void __SetMethodImplFlags(); void __SetFieldRVA(); void __Merge(); void __MergeEnd(); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable #pragma warning disable 436 // SuppressUnmanagedCodeSecurityAttribute defined in source and mscorlib using System; using System.Runtime.InteropServices; using System.Security; namespace Microsoft.DiaSymReader { [ComImport] [InterfaceType(ComInterfaceType.InterfaceIsIUnknown)] [Guid("BA3FEE4C-ECB9-4e41-83B7-183FA41CD859")] [SuppressUnmanagedCodeSecurity] internal unsafe interface IMetadataEmit { // SymWriter doesn't use any methods from this interface except for GetTokenFromSig, which is only called when // DefineLocalVariable(2) and DefineConstant(2) don't specify signature token, or the token is nil. void __SetModuleProps(); void __Save(); void __SaveToStream(); void __GetSaveSize(); void __DefineTypeDef(); void __DefineNestedType(); void __SetHandler(); void __DefineMethod(); void __DefineMethodImpl(); void __DefineTypeRefByName(); void __DefineImportType(); void __DefineMemberRef(); void __DefineImportMember(); void __DefineEvent(); void __SetClassLayout(); void __DeleteClassLayout(); void __SetFieldMarshal(); void __DeleteFieldMarshal(); void __DefinePermissionSet(); void __SetRVA(); int GetTokenFromSig(byte* voidPointerSig, int byteCountSig); void __DefineModuleRef(); void __SetParent(); void __GetTokenFromTypeSpec(); void __SaveToMemory(); void __DefineUserString(); void __DeleteToken(); void __SetMethodProps(); void __SetTypeDefProps(); void __SetEventProps(); void __SetPermissionSetProps(); void __DefinePinvokeMap(); void __SetPinvokeMap(); void __DeletePinvokeMap(); void __DefineCustomAttribute(); void __SetCustomAttributeValue(); void __DefineField(); void __DefineProperty(); void __DefineParam(); void __SetFieldProps(); void __SetPropertyProps(); void __SetParamProps(); void __DefineSecurityAttributeSet(); void __ApplyEditAndContinue(); void __TranslateSigWithScope(); void __SetMethodImplFlags(); void __SetFieldRVA(); void __Merge(); void __MergeEnd(); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/Test/MetadataAsSource/MetadataAsSourceTests.VisualBasic.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.Editor.CSharp; using Microsoft.CodeAnalysis.MetadataAsSource; using Microsoft.CodeAnalysis.Test.Utilities; using Roslyn.Test.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.UnitTests.MetadataAsSource { public partial class MetadataAsSourceTests { public class VisualBasic : AbstractMetadataAsSourceTests { [Theory, CombinatorialData, WorkItem(530123, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530123"), Trait(Traits.Feature, Traits.Features.MetadataAsSource)] public async Task TestGenerateTypeInModule(bool allowDecompilation) { var metadataSource = @" Module M Public Class D End Class End Module"; var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} ReferencedAssembly, Version=0.0.0.0, Culture=neutral, PublicKeyToken=null"" ' {CodeAnalysisResources.InMemoryAssembly} #End Region Friend Module M Public Class [|D|] Public Sub New() End Class End Module", true => $@"#region {FeaturesResources.Assembly} ReferencedAssembly, Version=0.0.0.0, Culture=neutral, PublicKeyToken=null // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using Microsoft.VisualBasic.CompilerServices; [StandardModule] internal sealed class M {{ public class [|D|] {{ }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "mscorlib.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Load_from_0, "Microsoft.VisualBasic.dll (net451)")} #endif", }; await GenerateAndVerifySourceAsync(metadataSource, "M+D", LanguageNames.VisualBasic, expected, allowDecompilation: allowDecompilation); } // This test depends on the version of mscorlib used by the TestWorkspace and may // change in the future [WorkItem(530526, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530526")] [Theory, Trait(Traits.Feature, Traits.Features.MetadataAsSource)] [InlineData(false)] [InlineData(true, Skip = "https://github.com/dotnet/roslyn/issues/52415")] public async Task BracketedIdentifierSimplificationTest(bool allowDecompilation) { var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"" ' mscorlib.v4_6_1038_0.dll #End Region Imports System.Runtime.InteropServices Namespace System <AttributeUsage(AttributeTargets.Class Or AttributeTargets.Struct Or AttributeTargets.Enum Or AttributeTargets.Constructor Or AttributeTargets.Method Or AttributeTargets.Property Or AttributeTargets.Field Or AttributeTargets.Event Or AttributeTargets.Interface Or AttributeTargets.Delegate, Inherited:=False)> <ComVisible(True)> Public NotInheritable Class [|ObsoleteAttribute|] Inherits Attribute Public Sub New() Public Sub New(message As String) Public Sub New(message As String, [error] As Boolean) Public ReadOnly Property Message As String Public ReadOnly Property IsError As Boolean End Class End Namespace", true => $@"#region {FeaturesResources.Assembly} mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using System.Runtime.InteropServices; namespace System {{ // // Summary: // Marks the program elements that are no longer in use. This class cannot be inherited. [Serializable] [AttributeUsage(AttributeTargets.Class | AttributeTargets.Struct | AttributeTargets.Enum | AttributeTargets.Constructor | AttributeTargets.Method | AttributeTargets.Property | AttributeTargets.Field | AttributeTargets.Event | AttributeTargets.Interface | AttributeTargets.Delegate, Inherited = false)] [ComVisible(true)] [__DynamicallyInvokable] public sealed class [|ObsoleteAttribute|] : Attribute {{ private string _message; private bool _error; // // Summary: // Gets the workaround message, including a description of the alternative program // elements. // // Returns: // The workaround text string. [__DynamicallyInvokable] public string Message {{ [__DynamicallyInvokable] get {{ return _message; }} }} // // Summary: // Gets a Boolean value indicating whether the compiler will treat usage of the // obsolete program element as an error. // // Returns: // true if the obsolete element usage is considered an error; otherwise, false. // The default is false. [__DynamicallyInvokable] public bool IsError {{ [__DynamicallyInvokable] get {{ return _error; }} }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with default // properties. [__DynamicallyInvokable] public ObsoleteAttribute() {{ _message = null; _error = false; }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with a specified // workaround message. // // Parameters: // message: // The text string that describes alternative workarounds. [__DynamicallyInvokable] public ObsoleteAttribute(string message) {{ _message = message; _error = false; }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with a workaround // message and a Boolean value indicating whether the obsolete element usage is // considered an error. // // Parameters: // message: // The text string that describes alternative workarounds. // // error: // true if the obsolete element usage generates a compiler error; false if it generates // a compiler warning. [__DynamicallyInvokable] public ObsoleteAttribute(string message, bool error) {{ _message = message; _error = error; }} }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} #endif", }; using var context = TestContext.Create(LanguageNames.VisualBasic); await context.GenerateAndVerifySourceAsync("System.ObsoleteAttribute", expected, allowDecompilation: allowDecompilation); } [Fact, Trait(Traits.Feature, Traits.Features.MetadataAsSource)] public void ExtractXMLFromDocComment() { var docCommentText = @"''' <summary> ''' I am the very model of a modern major general. ''' </summary>"; var expectedXMLFragment = @" <summary> I am the very model of a modern major general. </summary>"; var extractedXMLFragment = DocumentationCommentUtilities.ExtractXMLFragment(docCommentText, "'''"); Assert.Equal(expectedXMLFragment, extractedXMLFragment); } [Theory, CombinatorialData, WorkItem(26605, "https://github.com/dotnet/roslyn/issues/26605")] public async Task TestValueTuple(bool allowDecompilation) { using var context = TestContext.Create(LanguageNames.VisualBasic); var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} System.ValueTuple, Version=4.0.1.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51"" ' System.ValueTuple.dll #End Region Imports System.Collections Namespace System Public Structure [|ValueTuple|] Implements IEquatable(Of ValueTuple), IStructuralEquatable, IStructuralComparable, IComparable, IComparable(Of ValueTuple), ITupleInternal Public Shared Function Create() As ValueTuple Public Shared Function Create(Of T1)(item1 As T1) As ValueTuple(Of T1) Public Shared Function Create(Of T1, T2)(item1 As T1, item2 As T2) As (T1, T2) Public Shared Function Create(Of T1, T2, T3)(item1 As T1, item2 As T2, item3 As T3) As (T1, T2, T3) Public Shared Function Create(Of T1, T2, T3, T4)(item1 As T1, item2 As T2, item3 As T3, item4 As T4) As (T1, T2, T3, T4) Public Shared Function Create(Of T1, T2, T3, T4, T5)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5) As (T1, T2, T3, T4, T5) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6) As (T1, T2, T3, T4, T5, T6) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6, T7)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6, item7 As T7) As (T1, T2, T3, T4, T5, T6, T7) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6, T7, T8)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6, item7 As T7, item8 As T8) As (T1, T2, T3, T4, T5, T6, T7, T8) Public Overrides Function Equals(obj As Object) As Boolean Public Function Equals(other As ValueTuple) As Boolean Public Function CompareTo(other As ValueTuple) As Integer Public Overrides Function GetHashCode() As Integer Public Overrides Function ToString() As String End Structure End Namespace", true => $@"#region {FeaturesResources.Assembly} System.ValueTuple, Version=4.0.1.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51 // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using System.Collections; using System.Runtime.InteropServices; namespace System {{ [StructLayout(LayoutKind.Sequential, Size = 1)] public struct [|ValueTuple|] : IEquatable<ValueTuple>, IStructuralEquatable, IStructuralComparable, IComparable, IComparable<ValueTuple>, ITupleInternal {{ int ITupleInternal.Size => 0; public override bool Equals(object obj) {{ return obj is ValueTuple; }} public bool Equals(ValueTuple other) {{ return true; }} bool IStructuralEquatable.Equals(object other, IEqualityComparer comparer) {{ return other is ValueTuple; }} int IComparable.CompareTo(object other) {{ if (other == null) {{ return 1; }} if (!(other is ValueTuple)) {{ throw new ArgumentException(SR.ArgumentException_ValueTupleIncorrectType, ""other""); }} return 0; }} public int CompareTo(ValueTuple other) {{ return 0; }} int IStructuralComparable.CompareTo(object other, IComparer comparer) {{ if (other == null) {{ return 1; }} if (!(other is ValueTuple)) {{ throw new ArgumentException(SR.ArgumentException_ValueTupleIncorrectType, ""other""); }} return 0; }} public override int GetHashCode() {{ return 0; }} int IStructuralEquatable.GetHashCode(IEqualityComparer comparer) {{ return 0; }} int ITupleInternal.GetHashCode(IEqualityComparer comparer) {{ return 0; }} public override string ToString() {{ return ""()""; }} string ITupleInternal.ToStringEnd() {{ return "")""; }} public static ValueTuple Create() {{ return default(ValueTuple); }} public static ValueTuple<T1> Create<T1>(T1 item1) {{ return new ValueTuple<T1>(item1); }} public static (T1, T2) Create<T1, T2>(T1 item1, T2 item2) {{ return (item1, item2); }} public static (T1, T2, T3) Create<T1, T2, T3>(T1 item1, T2 item2, T3 item3) {{ return (item1, item2, item3); }} public static (T1, T2, T3, T4) Create<T1, T2, T3, T4>(T1 item1, T2 item2, T3 item3, T4 item4) {{ return (item1, item2, item3, item4); }} public static (T1, T2, T3, T4, T5) Create<T1, T2, T3, T4, T5>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) {{ return (item1, item2, item3, item4, item5); }} public static (T1, T2, T3, T4, T5, T6) Create<T1, T2, T3, T4, T5, T6>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) {{ return (item1, item2, item3, item4, item5, item6); }} public static (T1, T2, T3, T4, T5, T6, T7) Create<T1, T2, T3, T4, T5, T6, T7>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) {{ return (item1, item2, item3, item4, item5, item6, item7); }} public static (T1, T2, T3, T4, T5, T6, T7, T8) Create<T1, T2, T3, T4, T5, T6, T7, T8>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) {{ return new ValueTuple<T1, T2, T3, T4, T5, T6, T7, ValueTuple<T8>>(item1, item2, item3, item4, item5, item6, item7, Create(item8)); }} internal static int CombineHashCodes(int h1, int h2) {{ return ((h1 << 5) + h1) ^ h2; }} internal static int CombineHashCodes(int h1, int h2, int h3) {{ return CombineHashCodes(CombineHashCodes(h1, h2), h3); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4) {{ return CombineHashCodes(CombineHashCodes(h1, h2), CombineHashCodes(h3, h4)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), h5); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6, int h7) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6, h7)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6, int h7, int h8) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6, h7, h8)); }} }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Runtime, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System.Runtime, Version=4.0.10.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.WARN_Version_mismatch_Expected_0_Got_1, "4.0.0.0", "4.0.10.0")} {string.Format(CSharpEditorResources.Load_from_0, "System.Runtime.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Resources.ResourceManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.Resources.ResourceManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Collections, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.Collections, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "mscorlib.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "System.Core.v4_0_30319_17929.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "System.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.ComponentModel.Composition, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.ComponentModel.Composition, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} #endif", }; await context.GenerateAndVerifySourceAsync("System.ValueTuple", expected, allowDecompilation: allowDecompilation); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.Editor.CSharp; using Microsoft.CodeAnalysis.MetadataAsSource; using Microsoft.CodeAnalysis.Test.Utilities; using Roslyn.Test.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.UnitTests.MetadataAsSource { public partial class MetadataAsSourceTests { public class VisualBasic : AbstractMetadataAsSourceTests { [Theory, CombinatorialData, WorkItem(530123, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530123"), Trait(Traits.Feature, Traits.Features.MetadataAsSource)] public async Task TestGenerateTypeInModule(bool allowDecompilation) { var metadataSource = @" Module M Public Class D End Class End Module"; var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} ReferencedAssembly, Version=0.0.0.0, Culture=neutral, PublicKeyToken=null"" ' {CodeAnalysisResources.InMemoryAssembly} #End Region Friend Module M Public Class [|D|] Public Sub New() End Class End Module", true => $@"#region {FeaturesResources.Assembly} ReferencedAssembly, Version=0.0.0.0, Culture=neutral, PublicKeyToken=null // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using Microsoft.VisualBasic.CompilerServices; [StandardModule] internal sealed class M {{ public class [|D|] {{ }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "mscorlib.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "Microsoft.VisualBasic, Version=10.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Load_from_0, "Microsoft.VisualBasic.dll (net451)")} #endif", }; await GenerateAndVerifySourceAsync(metadataSource, "M+D", LanguageNames.VisualBasic, expected, allowDecompilation: allowDecompilation); } // This test depends on the version of mscorlib used by the TestWorkspace and may // change in the future [WorkItem(530526, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530526")] [Theory, Trait(Traits.Feature, Traits.Features.MetadataAsSource)] [InlineData(false)] [InlineData(true, Skip = "https://github.com/dotnet/roslyn/issues/52415")] public async Task BracketedIdentifierSimplificationTest(bool allowDecompilation) { var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"" ' mscorlib.v4_6_1038_0.dll #End Region Imports System.Runtime.InteropServices Namespace System <AttributeUsage(AttributeTargets.Class Or AttributeTargets.Struct Or AttributeTargets.Enum Or AttributeTargets.Constructor Or AttributeTargets.Method Or AttributeTargets.Property Or AttributeTargets.Field Or AttributeTargets.Event Or AttributeTargets.Interface Or AttributeTargets.Delegate, Inherited:=False)> <ComVisible(True)> Public NotInheritable Class [|ObsoleteAttribute|] Inherits Attribute Public Sub New() Public Sub New(message As String) Public Sub New(message As String, [error] As Boolean) Public ReadOnly Property Message As String Public ReadOnly Property IsError As Boolean End Class End Namespace", true => $@"#region {FeaturesResources.Assembly} mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089 // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using System.Runtime.InteropServices; namespace System {{ // // Summary: // Marks the program elements that are no longer in use. This class cannot be inherited. [Serializable] [AttributeUsage(AttributeTargets.Class | AttributeTargets.Struct | AttributeTargets.Enum | AttributeTargets.Constructor | AttributeTargets.Method | AttributeTargets.Property | AttributeTargets.Field | AttributeTargets.Event | AttributeTargets.Interface | AttributeTargets.Delegate, Inherited = false)] [ComVisible(true)] [__DynamicallyInvokable] public sealed class [|ObsoleteAttribute|] : Attribute {{ private string _message; private bool _error; // // Summary: // Gets the workaround message, including a description of the alternative program // elements. // // Returns: // The workaround text string. [__DynamicallyInvokable] public string Message {{ [__DynamicallyInvokable] get {{ return _message; }} }} // // Summary: // Gets a Boolean value indicating whether the compiler will treat usage of the // obsolete program element as an error. // // Returns: // true if the obsolete element usage is considered an error; otherwise, false. // The default is false. [__DynamicallyInvokable] public bool IsError {{ [__DynamicallyInvokable] get {{ return _error; }} }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with default // properties. [__DynamicallyInvokable] public ObsoleteAttribute() {{ _message = null; _error = false; }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with a specified // workaround message. // // Parameters: // message: // The text string that describes alternative workarounds. [__DynamicallyInvokable] public ObsoleteAttribute(string message) {{ _message = message; _error = false; }} // // Summary: // Initializes a new instance of the System.ObsoleteAttribute class with a workaround // message and a Boolean value indicating whether the obsolete element usage is // considered an error. // // Parameters: // message: // The text string that describes alternative workarounds. // // error: // true if the obsolete element usage generates a compiler error; false if it generates // a compiler warning. [__DynamicallyInvokable] public ObsoleteAttribute(string message, bool error) {{ _message = message; _error = error; }} }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} #endif", }; using var context = TestContext.Create(LanguageNames.VisualBasic); await context.GenerateAndVerifySourceAsync("System.ObsoleteAttribute", expected, allowDecompilation: allowDecompilation); } [Fact, Trait(Traits.Feature, Traits.Features.MetadataAsSource)] public void ExtractXMLFromDocComment() { var docCommentText = @"''' <summary> ''' I am the very model of a modern major general. ''' </summary>"; var expectedXMLFragment = @" <summary> I am the very model of a modern major general. </summary>"; var extractedXMLFragment = DocumentationCommentUtilities.ExtractXMLFragment(docCommentText, "'''"); Assert.Equal(expectedXMLFragment, extractedXMLFragment); } [Theory, CombinatorialData, WorkItem(26605, "https://github.com/dotnet/roslyn/issues/26605")] public async Task TestValueTuple(bool allowDecompilation) { using var context = TestContext.Create(LanguageNames.VisualBasic); var expected = allowDecompilation switch { false => $@"#Region ""{FeaturesResources.Assembly} System.ValueTuple, Version=4.0.1.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51"" ' System.ValueTuple.dll #End Region Imports System.Collections Namespace System Public Structure [|ValueTuple|] Implements IEquatable(Of ValueTuple), IStructuralEquatable, IStructuralComparable, IComparable, IComparable(Of ValueTuple), ITupleInternal Public Shared Function Create() As ValueTuple Public Shared Function Create(Of T1)(item1 As T1) As ValueTuple(Of T1) Public Shared Function Create(Of T1, T2)(item1 As T1, item2 As T2) As (T1, T2) Public Shared Function Create(Of T1, T2, T3)(item1 As T1, item2 As T2, item3 As T3) As (T1, T2, T3) Public Shared Function Create(Of T1, T2, T3, T4)(item1 As T1, item2 As T2, item3 As T3, item4 As T4) As (T1, T2, T3, T4) Public Shared Function Create(Of T1, T2, T3, T4, T5)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5) As (T1, T2, T3, T4, T5) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6) As (T1, T2, T3, T4, T5, T6) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6, T7)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6, item7 As T7) As (T1, T2, T3, T4, T5, T6, T7) Public Shared Function Create(Of T1, T2, T3, T4, T5, T6, T7, T8)(item1 As T1, item2 As T2, item3 As T3, item4 As T4, item5 As T5, item6 As T6, item7 As T7, item8 As T8) As (T1, T2, T3, T4, T5, T6, T7, T8) Public Overrides Function Equals(obj As Object) As Boolean Public Function Equals(other As ValueTuple) As Boolean Public Function CompareTo(other As ValueTuple) As Integer Public Overrides Function GetHashCode() As Integer Public Overrides Function ToString() As String End Structure End Namespace", true => $@"#region {FeaturesResources.Assembly} System.ValueTuple, Version=4.0.1.0, Culture=neutral, PublicKeyToken=cc7b13ffcd2ddd51 // {FeaturesResources.location_unknown} // Decompiled with ICSharpCode.Decompiler 6.1.0.5902 #endregion using System.Collections; using System.Runtime.InteropServices; namespace System {{ [StructLayout(LayoutKind.Sequential, Size = 1)] public struct [|ValueTuple|] : IEquatable<ValueTuple>, IStructuralEquatable, IStructuralComparable, IComparable, IComparable<ValueTuple>, ITupleInternal {{ int ITupleInternal.Size => 0; public override bool Equals(object obj) {{ return obj is ValueTuple; }} public bool Equals(ValueTuple other) {{ return true; }} bool IStructuralEquatable.Equals(object other, IEqualityComparer comparer) {{ return other is ValueTuple; }} int IComparable.CompareTo(object other) {{ if (other == null) {{ return 1; }} if (!(other is ValueTuple)) {{ throw new ArgumentException(SR.ArgumentException_ValueTupleIncorrectType, ""other""); }} return 0; }} public int CompareTo(ValueTuple other) {{ return 0; }} int IStructuralComparable.CompareTo(object other, IComparer comparer) {{ if (other == null) {{ return 1; }} if (!(other is ValueTuple)) {{ throw new ArgumentException(SR.ArgumentException_ValueTupleIncorrectType, ""other""); }} return 0; }} public override int GetHashCode() {{ return 0; }} int IStructuralEquatable.GetHashCode(IEqualityComparer comparer) {{ return 0; }} int ITupleInternal.GetHashCode(IEqualityComparer comparer) {{ return 0; }} public override string ToString() {{ return ""()""; }} string ITupleInternal.ToStringEnd() {{ return "")""; }} public static ValueTuple Create() {{ return default(ValueTuple); }} public static ValueTuple<T1> Create<T1>(T1 item1) {{ return new ValueTuple<T1>(item1); }} public static (T1, T2) Create<T1, T2>(T1 item1, T2 item2) {{ return (item1, item2); }} public static (T1, T2, T3) Create<T1, T2, T3>(T1 item1, T2 item2, T3 item3) {{ return (item1, item2, item3); }} public static (T1, T2, T3, T4) Create<T1, T2, T3, T4>(T1 item1, T2 item2, T3 item3, T4 item4) {{ return (item1, item2, item3, item4); }} public static (T1, T2, T3, T4, T5) Create<T1, T2, T3, T4, T5>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5) {{ return (item1, item2, item3, item4, item5); }} public static (T1, T2, T3, T4, T5, T6) Create<T1, T2, T3, T4, T5, T6>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6) {{ return (item1, item2, item3, item4, item5, item6); }} public static (T1, T2, T3, T4, T5, T6, T7) Create<T1, T2, T3, T4, T5, T6, T7>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7) {{ return (item1, item2, item3, item4, item5, item6, item7); }} public static (T1, T2, T3, T4, T5, T6, T7, T8) Create<T1, T2, T3, T4, T5, T6, T7, T8>(T1 item1, T2 item2, T3 item3, T4 item4, T5 item5, T6 item6, T7 item7, T8 item8) {{ return new ValueTuple<T1, T2, T3, T4, T5, T6, T7, ValueTuple<T8>>(item1, item2, item3, item4, item5, item6, item7, Create(item8)); }} internal static int CombineHashCodes(int h1, int h2) {{ return ((h1 << 5) + h1) ^ h2; }} internal static int CombineHashCodes(int h1, int h2, int h3) {{ return CombineHashCodes(CombineHashCodes(h1, h2), h3); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4) {{ return CombineHashCodes(CombineHashCodes(h1, h2), CombineHashCodes(h3, h4)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), h5); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6, int h7) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6, h7)); }} internal static int CombineHashCodes(int h1, int h2, int h3, int h4, int h5, int h6, int h7, int h8) {{ return CombineHashCodes(CombineHashCodes(h1, h2, h3, h4), CombineHashCodes(h5, h6, h7, h8)); }} }} }} #if false // {CSharpEditorResources.Decompilation_log} {string.Format(CSharpEditorResources._0_items_in_cache, 9)} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Runtime, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System.Runtime, Version=4.0.10.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.WARN_Version_mismatch_Expected_0_Got_1, "4.0.0.0", "4.0.10.0")} {string.Format(CSharpEditorResources.Load_from_0, "System.Runtime.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Resources.ResourceManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.Resources.ResourceManager, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Collections, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.Collections, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "mscorlib.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System.Core, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "System.Core.v4_0_30319_17929.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Found_single_assembly_0, "System, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Load_from_0, "System.v4_6_1038_0.dll")} ------------------ {string.Format(CSharpEditorResources.Resolve_0, "System.ComponentModel.Composition, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} {string.Format(CSharpEditorResources.Could_not_find_by_name_0, "System.ComponentModel.Composition, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")} #endif", }; await context.GenerateAndVerifySourceAsync("System.ValueTuple", expected, allowDecompilation: allowDecompilation); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/SolutionCrawler/AbstractDocumentDifferenceService.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.ErrorReporting; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.SolutionCrawler { internal abstract class AbstractDocumentDifferenceService : IDocumentDifferenceService { public async Task<DocumentDifferenceResult?> GetDifferenceAsync(Document oldDocument, Document newDocument, CancellationToken cancellationToken) { try { var syntaxFactsService = newDocument.Project.LanguageServices.GetService<ISyntaxFactsService>(); if (syntaxFactsService == null) { // somehow, we can't get the service. without it, there is nothing we can do. return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // this is based on the implementation detail where opened documents use strong references // to tree and text rather than recoverable versions. if (!oldDocument.TryGetText(out var oldText) || !newDocument.TryGetText(out var newText)) { // no cheap way to determine top level changes. assumes top level has changed return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // quick check whether two tree versions are same if (oldDocument.TryGetSyntaxVersion(out var oldVersion) && newDocument.TryGetSyntaxVersion(out var newVersion) && oldVersion.Equals(newVersion)) { // nothing has changed. don't do anything. // this could happen if a document is opened/closed without any buffer change return null; } var range = newText.GetEncompassingTextChangeRange(oldText); if (range == default) { // nothing has changed. don't do anything return null; } var incrementalParsingCandidate = range.NewLength != newText.Length; // see whether we can get it without explicit parsing if (!oldDocument.TryGetSyntaxRoot(out var oldRoot) || !newDocument.TryGetSyntaxRoot(out var newRoot)) { if (!incrementalParsingCandidate) { // no cheap way to determine top level changes. assumes top level has changed return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // explicitly parse them oldRoot = await oldDocument.GetSyntaxRootAsync(cancellationToken).ConfigureAwait(false); newRoot = await newDocument.GetSyntaxRootAsync(cancellationToken).ConfigureAwait(false); Contract.ThrowIfNull(oldRoot); Contract.ThrowIfNull(newRoot); } // at this point, we must have these version already calculated if (!oldDocument.TryGetTopLevelChangeTextVersion(out var oldTopLevelChangeVersion) || !newDocument.TryGetTopLevelChangeTextVersion(out var newTopLevelChangeVersion)) { throw ExceptionUtilities.Unreachable; } // quicker common case if (incrementalParsingCandidate) { if (oldTopLevelChangeVersion.Equals(newTopLevelChangeVersion)) { return new DocumentDifferenceResult(InvocationReasons.SyntaxChanged, GetChangedMember(syntaxFactsService, oldRoot, newRoot, range)); } return new DocumentDifferenceResult(InvocationReasons.DocumentChanged, GetBestGuessChangedMember(syntaxFactsService, oldRoot, newRoot, range)); } if (oldTopLevelChangeVersion.Equals(newTopLevelChangeVersion)) { return new DocumentDifferenceResult(InvocationReasons.SyntaxChanged); } return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } catch (Exception e) when (FatalError.ReportAndPropagateUnlessCanceled(e, cancellationToken)) { throw ExceptionUtilities.Unreachable; } } private static SyntaxNode? GetChangedMember( ISyntaxFactsService syntaxFactsService, SyntaxNode oldRoot, SyntaxNode newRoot, TextChangeRange range) { // if either old or new tree contains skipped text, re-analyze whole document if (oldRoot.ContainsSkippedText || newRoot.ContainsSkippedText) { return null; } var oldMember = syntaxFactsService.GetContainingMemberDeclaration(oldRoot, range.Span.Start); var newMember = syntaxFactsService.GetContainingMemberDeclaration(newRoot, range.Span.Start); // reached the top (compilation unit) if (oldMember == null || newMember == null) { return null; } // member doesn't contain the change if (!syntaxFactsService.ContainsInMemberBody(oldMember, range.Span)) { return null; } // member signature has changed if (!oldMember.IsEquivalentTo(newMember, topLevel: true)) { return null; } // looks like inside of the body has changed return newMember; } private static SyntaxNode? GetBestGuessChangedMember( ISyntaxFactsService syntaxFactsService, SyntaxNode oldRoot, SyntaxNode newRoot, TextChangeRange range) { // if either old or new tree contains skipped text, re-analyze whole document if (oldRoot.ContainsSkippedText || newRoot.ContainsSkippedText) { return null; } // there was top level changes, so we can't use equivalent to see whether two members are same. // so, we use some simple text based heuristic to find a member that has changed. // // if we have a differ that do diff on member level or a way to track member between incremental parsing, then // that would be preferable. but currently we don't have such thing. // get top level elements at the position where change has happened var oldMember = syntaxFactsService.GetContainingMemberDeclaration(oldRoot, range.Span.Start); var newMember = syntaxFactsService.GetContainingMemberDeclaration(newRoot, range.Span.Start); // reached the top (compilation unit) if (oldMember == null || newMember == null) { return null; } // if old member was empty, just use new member if (oldMember.Span.IsEmpty) { return newMember; } // looks like change doesn't belong to existing member if (!oldMember.Span.Contains(range.Span)) { return null; } // change happened inside of the old member, check whether new member seems just delta of that change var lengthDelta = range.NewLength - range.Span.Length; return (oldMember.Span.Length + lengthDelta) == newMember.Span.Length ? newMember : null; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.ErrorReporting; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.SolutionCrawler { internal abstract class AbstractDocumentDifferenceService : IDocumentDifferenceService { public async Task<DocumentDifferenceResult?> GetDifferenceAsync(Document oldDocument, Document newDocument, CancellationToken cancellationToken) { try { var syntaxFactsService = newDocument.Project.LanguageServices.GetService<ISyntaxFactsService>(); if (syntaxFactsService == null) { // somehow, we can't get the service. without it, there is nothing we can do. return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // this is based on the implementation detail where opened documents use strong references // to tree and text rather than recoverable versions. if (!oldDocument.TryGetText(out var oldText) || !newDocument.TryGetText(out var newText)) { // no cheap way to determine top level changes. assumes top level has changed return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // quick check whether two tree versions are same if (oldDocument.TryGetSyntaxVersion(out var oldVersion) && newDocument.TryGetSyntaxVersion(out var newVersion) && oldVersion.Equals(newVersion)) { // nothing has changed. don't do anything. // this could happen if a document is opened/closed without any buffer change return null; } var range = newText.GetEncompassingTextChangeRange(oldText); if (range == default) { // nothing has changed. don't do anything return null; } var incrementalParsingCandidate = range.NewLength != newText.Length; // see whether we can get it without explicit parsing if (!oldDocument.TryGetSyntaxRoot(out var oldRoot) || !newDocument.TryGetSyntaxRoot(out var newRoot)) { if (!incrementalParsingCandidate) { // no cheap way to determine top level changes. assumes top level has changed return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } // explicitly parse them oldRoot = await oldDocument.GetSyntaxRootAsync(cancellationToken).ConfigureAwait(false); newRoot = await newDocument.GetSyntaxRootAsync(cancellationToken).ConfigureAwait(false); Contract.ThrowIfNull(oldRoot); Contract.ThrowIfNull(newRoot); } // at this point, we must have these version already calculated if (!oldDocument.TryGetTopLevelChangeTextVersion(out var oldTopLevelChangeVersion) || !newDocument.TryGetTopLevelChangeTextVersion(out var newTopLevelChangeVersion)) { throw ExceptionUtilities.Unreachable; } // quicker common case if (incrementalParsingCandidate) { if (oldTopLevelChangeVersion.Equals(newTopLevelChangeVersion)) { return new DocumentDifferenceResult(InvocationReasons.SyntaxChanged, GetChangedMember(syntaxFactsService, oldRoot, newRoot, range)); } return new DocumentDifferenceResult(InvocationReasons.DocumentChanged, GetBestGuessChangedMember(syntaxFactsService, oldRoot, newRoot, range)); } if (oldTopLevelChangeVersion.Equals(newTopLevelChangeVersion)) { return new DocumentDifferenceResult(InvocationReasons.SyntaxChanged); } return new DocumentDifferenceResult(InvocationReasons.DocumentChanged); } catch (Exception e) when (FatalError.ReportAndPropagateUnlessCanceled(e, cancellationToken)) { throw ExceptionUtilities.Unreachable; } } private static SyntaxNode? GetChangedMember( ISyntaxFactsService syntaxFactsService, SyntaxNode oldRoot, SyntaxNode newRoot, TextChangeRange range) { // if either old or new tree contains skipped text, re-analyze whole document if (oldRoot.ContainsSkippedText || newRoot.ContainsSkippedText) { return null; } var oldMember = syntaxFactsService.GetContainingMemberDeclaration(oldRoot, range.Span.Start); var newMember = syntaxFactsService.GetContainingMemberDeclaration(newRoot, range.Span.Start); // reached the top (compilation unit) if (oldMember == null || newMember == null) { return null; } // member doesn't contain the change if (!syntaxFactsService.ContainsInMemberBody(oldMember, range.Span)) { return null; } // member signature has changed if (!oldMember.IsEquivalentTo(newMember, topLevel: true)) { return null; } // looks like inside of the body has changed return newMember; } private static SyntaxNode? GetBestGuessChangedMember( ISyntaxFactsService syntaxFactsService, SyntaxNode oldRoot, SyntaxNode newRoot, TextChangeRange range) { // if either old or new tree contains skipped text, re-analyze whole document if (oldRoot.ContainsSkippedText || newRoot.ContainsSkippedText) { return null; } // there was top level changes, so we can't use equivalent to see whether two members are same. // so, we use some simple text based heuristic to find a member that has changed. // // if we have a differ that do diff on member level or a way to track member between incremental parsing, then // that would be preferable. but currently we don't have such thing. // get top level elements at the position where change has happened var oldMember = syntaxFactsService.GetContainingMemberDeclaration(oldRoot, range.Span.Start); var newMember = syntaxFactsService.GetContainingMemberDeclaration(newRoot, range.Span.Start); // reached the top (compilation unit) if (oldMember == null || newMember == null) { return null; } // if old member was empty, just use new member if (oldMember.Span.IsEmpty) { return newMember; } // looks like change doesn't belong to existing member if (!oldMember.Span.Contains(range.Span)) { return null; } // change happened inside of the old member, check whether new member seems just delta of that change var lengthDelta = range.NewLength - range.Span.Length; return (oldMember.Span.Length + lengthDelta) == newMember.Span.Length ? newMember : null; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/Core/Def/Implementation/ExtractClass/ExtractClassViewModel.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System.Collections.Immutable; using System.Threading.Tasks; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Notification; using Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls; using Microsoft.VisualStudio.LanguageServices.Implementation.PullMemberUp.MainDialog; using Microsoft.VisualStudio.Utilities; namespace Microsoft.VisualStudio.LanguageServices.Implementation.ExtractClass { internal class ExtractClassViewModel { private readonly INotificationService _notificationService; public ExtractClassViewModel( IUIThreadOperationExecutor uiThreadOperationExecutor, INotificationService notificationService, ImmutableArray<PullMemberUpSymbolViewModel> memberViewModels, ImmutableDictionary<ISymbol, Task<ImmutableArray<ISymbol>>> memberToDependentsMap, string defaultTypeName, string defaultNamespace, string languageName, string typeParameterSuffix, ImmutableArray<string> conflictingNames, ISyntaxFactsService syntaxFactsService) { _notificationService = notificationService; MemberSelectionViewModel = new MemberSelectionViewModel( uiThreadOperationExecutor, memberViewModels, memberToDependentsMap, destinationTypeKind: TypeKind.Class); DestinationViewModel = new NewTypeDestinationSelectionViewModel( defaultTypeName, languageName, defaultNamespace, typeParameterSuffix, conflictingNames, syntaxFactsService); } internal bool TrySubmit() { if (!DestinationViewModel.TrySubmit(out var message)) { SendFailureNotification(message); return false; } return true; } private void SendFailureNotification(string message) => _notificationService.SendNotification(message, severity: NotificationSeverity.Information); public MemberSelectionViewModel MemberSelectionViewModel { get; } public NewTypeDestinationSelectionViewModel DestinationViewModel { get; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System.Collections.Immutable; using System.Threading.Tasks; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.LanguageServices; using Microsoft.CodeAnalysis.Notification; using Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls; using Microsoft.VisualStudio.LanguageServices.Implementation.PullMemberUp.MainDialog; using Microsoft.VisualStudio.Utilities; namespace Microsoft.VisualStudio.LanguageServices.Implementation.ExtractClass { internal class ExtractClassViewModel { private readonly INotificationService _notificationService; public ExtractClassViewModel( IUIThreadOperationExecutor uiThreadOperationExecutor, INotificationService notificationService, ImmutableArray<PullMemberUpSymbolViewModel> memberViewModels, ImmutableDictionary<ISymbol, Task<ImmutableArray<ISymbol>>> memberToDependentsMap, string defaultTypeName, string defaultNamespace, string languageName, string typeParameterSuffix, ImmutableArray<string> conflictingNames, ISyntaxFactsService syntaxFactsService) { _notificationService = notificationService; MemberSelectionViewModel = new MemberSelectionViewModel( uiThreadOperationExecutor, memberViewModels, memberToDependentsMap, destinationTypeKind: TypeKind.Class); DestinationViewModel = new NewTypeDestinationSelectionViewModel( defaultTypeName, languageName, defaultNamespace, typeParameterSuffix, conflictingNames, syntaxFactsService); } internal bool TrySubmit() { if (!DestinationViewModel.TrySubmit(out var message)) { SendFailureNotification(message); return false; } return true; } private void SendFailureNotification(string message) => _notificationService.SendNotification(message, severity: NotificationSeverity.Information); public MemberSelectionViewModel MemberSelectionViewModel { get; } public NewTypeDestinationSelectionViewModel DestinationViewModel { get; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/Core/Utilities/Matcher`1.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; namespace Microsoft.CodeAnalysis.Shared.Utilities { /// <summary> /// Helper class to allow one to do simple regular expressions over a sequence of objects (as /// opposed to a sequence of characters). /// </summary> internal abstract partial class Matcher<T> { // Tries to match this matcher against the provided sequence at the given index. If the // match succeeds, 'true' is returned, and 'index' points to the location after the match // ends. If the match fails, then false it returned and index remains the same. Note: the // matcher does not need to consume to the end of the sequence to succeed. public abstract bool TryMatch(IList<T> sequence, ref int index); internal static Matcher<T> Repeat(Matcher<T> matcher) => new RepeatMatcher(matcher); internal static Matcher<T> OneOrMore(Matcher<T> matcher) { // m+ is the same as (m m*) return Sequence(matcher, Repeat(matcher)); } internal static Matcher<T> Choice(params Matcher<T>[] matchers) => new ChoiceMatcher(matchers); internal static Matcher<T> Sequence(params Matcher<T>[] matchers) => new SequenceMatcher(matchers); internal static Matcher<T> Single(Func<T, bool> predicate, string description) => new SingleMatcher(predicate, description); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; namespace Microsoft.CodeAnalysis.Shared.Utilities { /// <summary> /// Helper class to allow one to do simple regular expressions over a sequence of objects (as /// opposed to a sequence of characters). /// </summary> internal abstract partial class Matcher<T> { // Tries to match this matcher against the provided sequence at the given index. If the // match succeeds, 'true' is returned, and 'index' points to the location after the match // ends. If the match fails, then false it returned and index remains the same. Note: the // matcher does not need to consume to the end of the sequence to succeed. public abstract bool TryMatch(IList<T> sequence, ref int index); internal static Matcher<T> Repeat(Matcher<T> matcher) => new RepeatMatcher(matcher); internal static Matcher<T> OneOrMore(Matcher<T> matcher) { // m+ is the same as (m m*) return Sequence(matcher, Repeat(matcher)); } internal static Matcher<T> Choice(params Matcher<T>[] matchers) => new ChoiceMatcher(matchers); internal static Matcher<T> Sequence(params Matcher<T>[] matchers) => new SequenceMatcher(matchers); internal static Matcher<T> Single(Func<T, bool> predicate, string description) => new SingleMatcher(predicate, description); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/CSharp/Test/Symbol/Symbols/MockNamespaceSymbol.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using System.Linq; using Microsoft.CodeAnalysis.CSharp.Symbols; namespace Microsoft.CodeAnalysis.CSharp.UnitTests { internal class MockNamespaceSymbol : NamespaceSymbol, IMockSymbol { private NamespaceSymbol _container; private readonly NamespaceExtent _extent; private readonly IEnumerable<Symbol> _children; private readonly string _name; public MockNamespaceSymbol(string name, NamespaceExtent extent, IEnumerable<Symbol> children) { _name = name; _extent = extent; _children = children; } public void SetContainer(Symbol container) { _container = (NamespaceSymbol)container; } public override string Name { get { return _name; } } internal override NamespaceExtent Extent { get { return _extent; } } public override ImmutableArray<Symbol> GetMembers() { return _children.AsImmutable(); } public override ImmutableArray<Symbol> GetMembers(string name) { return _children.Where(ns => (ns.Name == name)).ToArray().AsImmutableOrNull(); } public override ImmutableArray<NamedTypeSymbol> GetTypeMembers() { return (from c in _children where c is NamedTypeSymbol select (NamedTypeSymbol)c).ToArray().AsImmutableOrNull(); } public override ImmutableArray<NamedTypeSymbol> GetTypeMembers(string name) { return (from c in _children where c is NamedTypeSymbol && c.Name == name select (NamedTypeSymbol)c).ToArray().AsImmutableOrNull(); } public override Symbol ContainingSymbol { get { return _container; } } public override AssemblySymbol ContainingAssembly { get { return _container.ContainingAssembly; } } public override ImmutableArray<Location> Locations { get { return ImmutableArray.Create<Location>(); } } public override ImmutableArray<SyntaxReference> DeclaringSyntaxReferences { get { return ImmutableArray.Create<SyntaxReference>(); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using System.Linq; using Microsoft.CodeAnalysis.CSharp.Symbols; namespace Microsoft.CodeAnalysis.CSharp.UnitTests { internal class MockNamespaceSymbol : NamespaceSymbol, IMockSymbol { private NamespaceSymbol _container; private readonly NamespaceExtent _extent; private readonly IEnumerable<Symbol> _children; private readonly string _name; public MockNamespaceSymbol(string name, NamespaceExtent extent, IEnumerable<Symbol> children) { _name = name; _extent = extent; _children = children; } public void SetContainer(Symbol container) { _container = (NamespaceSymbol)container; } public override string Name { get { return _name; } } internal override NamespaceExtent Extent { get { return _extent; } } public override ImmutableArray<Symbol> GetMembers() { return _children.AsImmutable(); } public override ImmutableArray<Symbol> GetMembers(string name) { return _children.Where(ns => (ns.Name == name)).ToArray().AsImmutableOrNull(); } public override ImmutableArray<NamedTypeSymbol> GetTypeMembers() { return (from c in _children where c is NamedTypeSymbol select (NamedTypeSymbol)c).ToArray().AsImmutableOrNull(); } public override ImmutableArray<NamedTypeSymbol> GetTypeMembers(string name) { return (from c in _children where c is NamedTypeSymbol && c.Name == name select (NamedTypeSymbol)c).ToArray().AsImmutableOrNull(); } public override Symbol ContainingSymbol { get { return _container; } } public override AssemblySymbol ContainingAssembly { get { return _container.ContainingAssembly; } } public override ImmutableArray<Location> Locations { get { return ImmutableArray.Create<Location>(); } } public override ImmutableArray<SyntaxReference> DeclaringSyntaxReferences { get { return ImmutableArray.Create<SyntaxReference>(); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Core/Portable/InternalUtilities/ValueTaskFactory.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System.Diagnostics.CodeAnalysis; using System.Threading.Tasks; namespace Roslyn.Utilities { /// <summary> /// Implements <see cref="ValueTask"/> and <see cref="ValueTask{TResult}"/> static members that are only available in .NET 5. /// </summary> internal static class ValueTaskFactory { [SuppressMessage("Style", "VSTHRD200:Use \"Async\" suffix for async methods", Justification = "This is a ValueTask wrapper, not an asynchronous method.")] public static ValueTask<T> FromResult<T>(T result) => new(result); public static ValueTask CompletedTask => new(); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System.Diagnostics.CodeAnalysis; using System.Threading.Tasks; namespace Roslyn.Utilities { /// <summary> /// Implements <see cref="ValueTask"/> and <see cref="ValueTask{TResult}"/> static members that are only available in .NET 5. /// </summary> internal static class ValueTaskFactory { [SuppressMessage("Style", "VSTHRD200:Use \"Async\" suffix for async methods", Justification = "This is a ValueTask wrapper, not an asynchronous method.")] public static ValueTask<T> FromResult<T>(T result) => new(result); public static ValueTask CompletedTask => new(); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/Core/Def/Implementation/Preview/PreviewUpdater.Tagger.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; using Microsoft.CodeAnalysis.Text.Shared.Extensions; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Tagging; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Preview { internal partial class PreviewUpdater { internal class PreviewTagger : ITagger<HighlightTag> { private readonly ITextBuffer _textBuffer; private Span _span; public PreviewTagger(ITextBuffer textBuffer) { _textBuffer = textBuffer; } public Span Span { get { return _span; } set { _span = value; TagsChanged?.Invoke(this, new SnapshotSpanEventArgs(_textBuffer.CurrentSnapshot.GetFullSpan())); } } public event EventHandler<SnapshotSpanEventArgs>? TagsChanged; public IEnumerable<ITagSpan<HighlightTag>> GetTags(NormalizedSnapshotSpanCollection spans) { var lines = _textBuffer.CurrentSnapshot.Lines.Where(line => line.Extent.OverlapsWith(_span)); foreach (var line in lines) { var firstNonWhitespace = line.GetFirstNonWhitespacePosition(); var lastNonWhitespace = line.GetLastNonWhitespacePosition(); if (firstNonWhitespace.HasValue && lastNonWhitespace.HasValue) { yield return new TagSpan<HighlightTag>(new SnapshotSpan(_textBuffer.CurrentSnapshot, Span.FromBounds(firstNonWhitespace.Value, lastNonWhitespace.Value + 1)), new HighlightTag()); } } } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; using Microsoft.CodeAnalysis.Text.Shared.Extensions; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Tagging; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Preview { internal partial class PreviewUpdater { internal class PreviewTagger : ITagger<HighlightTag> { private readonly ITextBuffer _textBuffer; private Span _span; public PreviewTagger(ITextBuffer textBuffer) { _textBuffer = textBuffer; } public Span Span { get { return _span; } set { _span = value; TagsChanged?.Invoke(this, new SnapshotSpanEventArgs(_textBuffer.CurrentSnapshot.GetFullSpan())); } } public event EventHandler<SnapshotSpanEventArgs>? TagsChanged; public IEnumerable<ITagSpan<HighlightTag>> GetTags(NormalizedSnapshotSpanCollection spans) { var lines = _textBuffer.CurrentSnapshot.Lines.Where(line => line.Extent.OverlapsWith(_span)); foreach (var line in lines) { var firstNonWhitespace = line.GetFirstNonWhitespacePosition(); var lastNonWhitespace = line.GetLastNonWhitespacePosition(); if (firstNonWhitespace.HasValue && lastNonWhitespace.HasValue) { yield return new TagSpan<HighlightTag>(new SnapshotSpan(_textBuffer.CurrentSnapshot, Span.FromBounds(firstNonWhitespace.Value, lastNonWhitespace.Value + 1)), new HighlightTag()); } } } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/Core/Portable/TodoComments/ITodoCommentService.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Immutable; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.Host; using Microsoft.CodeAnalysis.PooledObjects; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.TodoComments { /// <summary> /// A TODO comment that has been found within the user's code. /// </summary> internal readonly struct TodoComment { public TodoCommentDescriptor Descriptor { get; } public string Message { get; } public int Position { get; } public TodoComment(TodoCommentDescriptor descriptor, string message, int position) : this() { Descriptor = descriptor; Message = message; Position = position; } private TodoCommentData CreateSerializableData( Document document, SourceText text, SyntaxTree? tree) { // make sure given position is within valid text range. var textSpan = new TextSpan(Math.Min(text.Length, Math.Max(0, Position)), 0); var location = tree == null ? Location.Create(document.FilePath!, textSpan, text.Lines.GetLinePositionSpan(textSpan)) : tree.GetLocation(textSpan); var originalLineInfo = location.GetLineSpan(); var mappedLineInfo = location.GetMappedLineSpan(); return new( priority: Descriptor.Priority, message: Message, documentId: document.Id, originalLine: originalLineInfo.StartLinePosition.Line, originalColumn: originalLineInfo.StartLinePosition.Character, originalFilePath: document.FilePath, mappedLine: mappedLineInfo.StartLinePosition.Line, mappedColumn: mappedLineInfo.StartLinePosition.Character, mappedFilePath: mappedLineInfo.GetMappedFilePathIfExist()); } public static async Task ConvertAsync( Document document, ImmutableArray<TodoComment> todoComments, ArrayBuilder<TodoCommentData> converted, CancellationToken cancellationToken) { var sourceText = await document.GetTextAsync(cancellationToken).ConfigureAwait(false); var syntaxTree = await document.GetSyntaxTreeAsync(cancellationToken).ConfigureAwait(false); foreach (var comment in todoComments) converted.Add(comment.CreateSerializableData(document, sourceText, syntaxTree)); } } internal interface ITodoCommentService : ILanguageService { Task<ImmutableArray<TodoComment>> GetTodoCommentsAsync(Document document, ImmutableArray<TodoCommentDescriptor> commentDescriptors, CancellationToken cancellationToken); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Immutable; using System.Threading; using System.Threading.Tasks; using Microsoft.CodeAnalysis.Host; using Microsoft.CodeAnalysis.PooledObjects; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.TodoComments { /// <summary> /// A TODO comment that has been found within the user's code. /// </summary> internal readonly struct TodoComment { public TodoCommentDescriptor Descriptor { get; } public string Message { get; } public int Position { get; } public TodoComment(TodoCommentDescriptor descriptor, string message, int position) : this() { Descriptor = descriptor; Message = message; Position = position; } private TodoCommentData CreateSerializableData( Document document, SourceText text, SyntaxTree? tree) { // make sure given position is within valid text range. var textSpan = new TextSpan(Math.Min(text.Length, Math.Max(0, Position)), 0); var location = tree == null ? Location.Create(document.FilePath!, textSpan, text.Lines.GetLinePositionSpan(textSpan)) : tree.GetLocation(textSpan); var originalLineInfo = location.GetLineSpan(); var mappedLineInfo = location.GetMappedLineSpan(); return new( priority: Descriptor.Priority, message: Message, documentId: document.Id, originalLine: originalLineInfo.StartLinePosition.Line, originalColumn: originalLineInfo.StartLinePosition.Character, originalFilePath: document.FilePath, mappedLine: mappedLineInfo.StartLinePosition.Line, mappedColumn: mappedLineInfo.StartLinePosition.Character, mappedFilePath: mappedLineInfo.GetMappedFilePathIfExist()); } public static async Task ConvertAsync( Document document, ImmutableArray<TodoComment> todoComments, ArrayBuilder<TodoCommentData> converted, CancellationToken cancellationToken) { var sourceText = await document.GetTextAsync(cancellationToken).ConfigureAwait(false); var syntaxTree = await document.GetSyntaxTreeAsync(cancellationToken).ConfigureAwait(false); foreach (var comment in todoComments) converted.Add(comment.CreateSerializableData(document, sourceText, syntaxTree)); } } internal interface ITodoCommentService : ILanguageService { Task<ImmutableArray<TodoComment>> GetTodoCommentsAsync(Document document, ImmutableArray<TodoCommentDescriptor> commentDescriptors, CancellationToken cancellationToken); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Analyzers/CSharp/Analyzers/RemoveUnreachableCode/RemoveUnreachableCodeHelpers.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.PooledObjects; namespace Microsoft.CodeAnalysis.CSharp.RemoveUnreachableCode { internal static class RemoveUnreachableCodeHelpers { public static ImmutableArray<ImmutableArray<StatementSyntax>> GetSubsequentUnreachableSections(StatementSyntax firstUnreachableStatement) { SyntaxList<StatementSyntax> siblingStatements; switch (firstUnreachableStatement.Parent) { case BlockSyntax block: siblingStatements = block.Statements; break; case SwitchSectionSyntax switchSection: siblingStatements = switchSection.Statements; break; default: // We're an embedded statement. So the unreachable section is just us. return ImmutableArray<ImmutableArray<StatementSyntax>>.Empty; } var sections = ArrayBuilder<ImmutableArray<StatementSyntax>>.GetInstance(); var currentSection = ArrayBuilder<StatementSyntax>.GetInstance(); var firstUnreachableStatementIndex = siblingStatements.IndexOf(firstUnreachableStatement); for (int i = firstUnreachableStatementIndex + 1, n = siblingStatements.Count; i < n; i++) { var currentStatement = siblingStatements[i]; if (currentStatement.IsKind(SyntaxKind.LabeledStatement)) { // In the case of a subsequent labeled statement, we don't want to consider it // unreachable as there may be a 'goto' somewhere else to that label. If the // compiler actually thinks that label is unreachable, it will give an diagnostic // on that label itself and we can use that diagnostic to handle it and any // subsequent sections. break; } if (currentStatement.IsKind(SyntaxKind.LocalFunctionStatement)) { // In the case of local functions, it is legal for a local function to be declared // in code that is otherwise unreachable. It can still be called elsewhere. If // the local function itself is not called, there will be a particular diagnostic // for that ("The variable XXX is declared but never used") and the user can choose // if they want to remove it or not. var section = currentSection.ToImmutableAndFree(); AddIfNonEmpty(sections, section); currentSection = ArrayBuilder<StatementSyntax>.GetInstance(); continue; } currentSection.Add(currentStatement); } var lastSection = currentSection.ToImmutableAndFree(); AddIfNonEmpty(sections, lastSection); return sections.ToImmutableAndFree(); } private static void AddIfNonEmpty(ArrayBuilder<ImmutableArray<StatementSyntax>> sections, ImmutableArray<StatementSyntax> lastSection) { if (!lastSection.IsEmpty) { sections.Add(lastSection); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.PooledObjects; namespace Microsoft.CodeAnalysis.CSharp.RemoveUnreachableCode { internal static class RemoveUnreachableCodeHelpers { public static ImmutableArray<ImmutableArray<StatementSyntax>> GetSubsequentUnreachableSections(StatementSyntax firstUnreachableStatement) { SyntaxList<StatementSyntax> siblingStatements; switch (firstUnreachableStatement.Parent) { case BlockSyntax block: siblingStatements = block.Statements; break; case SwitchSectionSyntax switchSection: siblingStatements = switchSection.Statements; break; default: // We're an embedded statement. So the unreachable section is just us. return ImmutableArray<ImmutableArray<StatementSyntax>>.Empty; } var sections = ArrayBuilder<ImmutableArray<StatementSyntax>>.GetInstance(); var currentSection = ArrayBuilder<StatementSyntax>.GetInstance(); var firstUnreachableStatementIndex = siblingStatements.IndexOf(firstUnreachableStatement); for (int i = firstUnreachableStatementIndex + 1, n = siblingStatements.Count; i < n; i++) { var currentStatement = siblingStatements[i]; if (currentStatement.IsKind(SyntaxKind.LabeledStatement)) { // In the case of a subsequent labeled statement, we don't want to consider it // unreachable as there may be a 'goto' somewhere else to that label. If the // compiler actually thinks that label is unreachable, it will give an diagnostic // on that label itself and we can use that diagnostic to handle it and any // subsequent sections. break; } if (currentStatement.IsKind(SyntaxKind.LocalFunctionStatement)) { // In the case of local functions, it is legal for a local function to be declared // in code that is otherwise unreachable. It can still be called elsewhere. If // the local function itself is not called, there will be a particular diagnostic // for that ("The variable XXX is declared but never used") and the user can choose // if they want to remove it or not. var section = currentSection.ToImmutableAndFree(); AddIfNonEmpty(sections, section); currentSection = ArrayBuilder<StatementSyntax>.GetInstance(); continue; } currentSection.Add(currentStatement); } var lastSection = currentSection.ToImmutableAndFree(); AddIfNonEmpty(sections, lastSection); return sections.ToImmutableAndFree(); } private static void AddIfNonEmpty(ArrayBuilder<ImmutableArray<StatementSyntax>> sections, ImmutableArray<StatementSyntax> lastSection) { if (!lastSection.IsEmpty) { sections.Add(lastSection); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/CSharp/Test/Symbol/Symbols/Metadata/PE/MissingTypeReferences.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Linq; using Microsoft.CodeAnalysis.CSharp.Symbols; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.CSharp.Test.Utilities; using Microsoft.CodeAnalysis.Text; using Roslyn.Test.Utilities; using Xunit; //test namespace Microsoft.CodeAnalysis.CSharp.UnitTests.Symbols.Metadata.PE { public class MissingTypeReferences : CSharpTestBase { [Fact] public void Test1() { var assembly = MetadataTestHelpers.GetSymbolForReference(TestReferences.SymbolsTests.MDTestLib2); TestMissingTypeReferencesHelper1(assembly); var assemblies = MetadataTestHelpers.GetSymbolsForReferences(mrefs: new[] { TestReferences.SymbolsTests.MissingTypes.MDMissingType, TestReferences.SymbolsTests.MissingTypes.MDMissingTypeLib, TestMetadata.Net40.mscorlib }); TestMissingTypeReferencesHelper2(assemblies); } private void TestMissingTypeReferencesHelper1(AssemblySymbol assembly) { var module0 = assembly.Modules[0]; var localTC10 = module0.GlobalNamespace.GetTypeMembers("TC10").Single(); MissingMetadataTypeSymbol @base = (MissingMetadataTypeSymbol)localTC10.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("Object", @base.Name); Assert.Equal("System", @base.ContainingSymbol.Name); Assert.Equal(0, @base.Arity); Assert.Equal("System.Object[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal("mscorlib", @base.ContainingAssembly.Identity.Name); var localTC8 = module0.GlobalNamespace.GetTypeMembers("TC8").Single(); var genericBase = (ErrorTypeSymbol)localTC8.BaseType(); Assert.Equal("C1<System.Type[missing]>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.ConstructedFrom; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("C1", @base.Name); Assert.Equal(1, @base.Arity); Assert.Equal("C1<>[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal("MDTestLib1", @base.ContainingAssembly.Identity.Name); var localTC7 = module0.GlobalNamespace.GetTypeMembers("TC7").Single(); genericBase = (ErrorTypeSymbol)localTC7.BaseType(); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal("C1<TC7_T1>[missing].C3[missing].C4<TC7_T2>[missing]", genericBase.ToTestDisplayString()); Assert.True(genericBase.ContainingAssembly.IsMissing); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal(@base.GetUseSiteDiagnostic().ToString(), genericBase.GetUseSiteDiagnostic().ToString()); Assert.Equal(@base.ErrorInfo.ToString(), genericBase.ErrorInfo.ToString()); var constructedFrom = genericBase.ConstructedFrom; Assert.Equal("C1<TC7_T1>[missing].C3[missing].C4<>[missing]", constructedFrom.ToTestDisplayString()); Assert.Same(constructedFrom, constructedFrom.Construct(constructedFrom.TypeParameters.ToArray())); Assert.Equal(genericBase, constructedFrom.Construct(genericBase.TypeArguments())); genericBase = (ErrorTypeSymbol)genericBase.ContainingSymbol; Assert.Equal("C1<TC7_T1>[missing].C3[missing]", genericBase.ToTestDisplayString()); Assert.Same(genericBase, genericBase.ConstructedFrom); genericBase = (ErrorTypeSymbol)genericBase.ContainingSymbol; Assert.Equal("C1<TC7_T1>[missing]", genericBase.ToTestDisplayString()); Assert.Same(genericBase.OriginalDefinition, genericBase.ConstructedFrom); Assert.Equal("C1<>[missing]", genericBase.OriginalDefinition.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("C4", @base.Name); Assert.Equal(1, @base.Arity); Assert.Equal("C1<>[missing].C3[missing].C4<>[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.Equal("MDTestLib1", @base.ContainingAssembly.Identity.Name); Assert.Equal(SymbolKind.ErrorType, @base.ContainingSymbol.Kind); Assert.NotNull(@base.ContainingSymbol.ContainingAssembly); Assert.Same(@base.ContainingAssembly, @base.ContainingSymbol.ContainingAssembly); Assert.Equal(SymbolKind.ErrorType, @base.ContainingSymbol.ContainingSymbol.Kind); Assert.NotNull(@base.ContainingSymbol.ContainingSymbol.ContainingAssembly); Assert.Same(@base.ContainingAssembly, @base.ContainingSymbol.ContainingSymbol.ContainingAssembly); } private void TestMissingTypeReferencesHelper2(AssemblySymbol[] assemblies, bool reflectionOnly = false) { var module1 = assemblies[0].Modules[0]; var module2 = assemblies[1].Modules[0]; var assembly2 = (MetadataOrSourceAssemblySymbol)assemblies[1]; NamedTypeSymbol localTC = module1.GlobalNamespace.GetTypeMembers("TC1").Single(); var @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC1", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("MissingNS1.MissingC1[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.Equal("MissingNS1", @base.ContainingNamespace.Name); Assert.Equal("", @base.ContainingNamespace.ContainingNamespace.Name); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingAssembly); localTC = module1.GlobalNamespace.GetTypeMembers("TC2").Single(); @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC2", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("MissingNS2.MissingNS3.MissingC2[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.Equal("MissingNS3", @base.ContainingNamespace.Name); Assert.Equal("MissingNS2", @base.ContainingNamespace.ContainingNamespace.Name); Assert.Equal("", @base.ContainingNamespace.ContainingNamespace.ContainingNamespace.Name); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingAssembly); localTC = module1.GlobalNamespace.GetTypeMembers("TC3").Single(); @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC3", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("NS4.MissingNS5.MissingC3[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingModule); localTC = module1.GlobalNamespace.GetTypeMembers("TC4").Single(); var genericBase = localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, genericBase.Kind); Assert.Equal("MissingC4<T1, S1>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC4", @base.Name); Assert.Equal(2, @base.Arity); Assert.Equal("MissingC4<,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingModule); var missingC4 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC5").Single(); genericBase = localTC.BaseType(); Assert.Equal("MissingC4<T1, S1>[missing].MissingC5<U1, V1, W1>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC5", @base.Name); Assert.Equal(3, @base.Arity); Assert.Equal("MissingC4<,>[missing].MissingC5<,,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.True(@base.ContainingNamespace.IsGlobalNamespace); Assert.Same(@base.ContainingSymbol, missingC4); var localC6 = module2.GlobalNamespace.GetTypeMembers("C6").Single(); localTC = module1.GlobalNamespace.GetTypeMembers("TC6").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.NamedType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC7", @base.Name); Assert.Equal(2, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.Same(@base.ContainingSymbol, localC6); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); var missingC7 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC7").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing].MissingC8[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC8", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing].MissingC8[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); if (!reflectionOnly) { Assert.Same(@base.ContainingSymbol, missingC7); } Assert.Equal(missingC7.ToTestDisplayString(), @base.ContainingSymbol.ToTestDisplayString()); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); var missingC8 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC8").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing].MissingC8[missing].MissingC9[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC9", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing].MissingC8[missing].MissingC9[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); if (!reflectionOnly) { Assert.Same(@base.ContainingSymbol, missingC8); } Assert.Equal(missingC8.ToTestDisplayString(), @base.ContainingSymbol.ToTestDisplayString()); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingNS1.MissingC1")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingNS2.MissingNS3.MissingC2")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("NS4.MissingNS5.MissingC3")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingC4`2")); } [Fact] public void Equality() { var assemblies = MetadataTestHelpers.GetSymbolsForReferences(new[] { TestReferences.SymbolsTests.MissingTypes.MissingTypesEquality1, TestReferences.SymbolsTests.MissingTypes.MissingTypesEquality2, TestReferences.SymbolsTests.MDTestLib1, TestReferences.SymbolsTests.MDTestLib2 }); var asm1 = assemblies[0]; var asm1classC = asm1.GlobalNamespace.GetTypeMembers("C").Single(); var asm1m1 = asm1classC.GetMembers("M1").OfType<MethodSymbol>().Single(); var asm1m2 = asm1classC.GetMembers("M2").OfType<MethodSymbol>().Single(); var asm1m3 = asm1classC.GetMembers("M3").OfType<MethodSymbol>().Single(); var asm1m4 = asm1classC.GetMembers("M4").OfType<MethodSymbol>().Single(); var asm1m5 = asm1classC.GetMembers("M5").OfType<MethodSymbol>().Single(); var asm1m6 = asm1classC.GetMembers("M6").OfType<MethodSymbol>().Single(); var asm1m7 = asm1classC.GetMembers("M7").OfType<MethodSymbol>().Single(); var asm1m8 = asm1classC.GetMembers("M8").OfType<MethodSymbol>().Single(); Assert.NotEqual(asm1m2.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m3.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m4.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m5.ReturnType, asm1m4.ReturnType); Assert.NotEqual(asm1m6.ReturnType, asm1m4.ReturnType); Assert.Equal(asm1m7.ReturnType, asm1m1.ReturnType); Assert.Equal(asm1m8.ReturnType, asm1m4.ReturnType); var asm2 = assemblies[1]; var asm2classC = asm2.GlobalNamespace.GetTypeMembers("C").Single(); var asm2m1 = asm2classC.GetMembers("M1").OfType<MethodSymbol>().Single(); var asm2m4 = asm2classC.GetMembers("M4").OfType<MethodSymbol>().Single(); Assert.Equal(asm2m1.ReturnType, asm1m1.ReturnType); Assert.NotSame(asm1m4.ReturnType, asm2m4.ReturnType); Assert.Equal(asm2m4.ReturnType, asm1m4.ReturnType); Assert.Equal(asm1.GetSpecialType(SpecialType.System_Boolean), asm1.GetSpecialType(SpecialType.System_Boolean)); Assert.Equal(asm1.GetSpecialType(SpecialType.System_Boolean), asm2.GetSpecialType(SpecialType.System_Boolean)); MissingMetadataTypeSymbol[] missingTypes1 = new MissingMetadataTypeSymbol[15]; MissingMetadataTypeSymbol[] missingTypes2 = new MissingMetadataTypeSymbol[15]; var defaultName = new AssemblyIdentity("missing"); missingTypes1[0] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 0, true); missingTypes1[1] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 1, true); missingTypes1[2] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test2", 0, true); missingTypes1[3] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 0, true); missingTypes1[4] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 1, true); missingTypes1[5] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test2", 0, true); missingTypes1[6] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm2")).Modules[0], "", "test1", 0, true); missingTypes1[7] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 0, true); missingTypes1[8] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 1, true); missingTypes1[9] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test2", 0, true); missingTypes1[10] = new MissingMetadataTypeSymbol.TopLevel(asm2.Modules[0], "", "test1", 0, true); missingTypes1[11] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 0, true); missingTypes1[12] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 1, true); missingTypes1[13] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test2", 0, true); missingTypes1[14] = new MissingMetadataTypeSymbol.Nested(asm2classC, "test1", 0, true); missingTypes2[0] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 0, true); missingTypes2[1] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 1, true); missingTypes2[2] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test2", 0, true); missingTypes2[3] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 0, true); missingTypes2[4] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 1, true); missingTypes2[5] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test2", 0, true); missingTypes2[6] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm2")).Modules[0], "", "test1", 0, true); missingTypes2[7] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 0, true); missingTypes2[8] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 1, true); missingTypes2[9] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test2", 0, true); missingTypes2[10] = new MissingMetadataTypeSymbol.TopLevel(asm2.Modules[0], "", "test1", 0, true); missingTypes2[11] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 0, true); missingTypes2[12] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 1, true); missingTypes2[13] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test2", 0, true); missingTypes2[14] = new MissingMetadataTypeSymbol.Nested(asm2classC, "test1", 0, true); for (int i = 0; i < missingTypes1.Length; i++) { for (int j = 0; j < missingTypes2.Length; j++) { if (i == j) { Assert.Equal(missingTypes2[j], missingTypes1[i]); Assert.Equal(missingTypes1[i], missingTypes2[j]); } else { Assert.NotEqual(missingTypes2[j], missingTypes1[i]); Assert.NotEqual(missingTypes1[i], missingTypes2[j]); } } } var missingAssembly = new MissingAssemblySymbol(new AssemblyIdentity("asm1")); Assert.True(missingAssembly.Equals(missingAssembly)); Assert.NotEqual(new object(), missingAssembly); Assert.False(missingAssembly.Equals(null)); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Linq; using Microsoft.CodeAnalysis.CSharp.Symbols; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.CSharp.Test.Utilities; using Microsoft.CodeAnalysis.Text; using Roslyn.Test.Utilities; using Xunit; //test namespace Microsoft.CodeAnalysis.CSharp.UnitTests.Symbols.Metadata.PE { public class MissingTypeReferences : CSharpTestBase { [Fact] public void Test1() { var assembly = MetadataTestHelpers.GetSymbolForReference(TestReferences.SymbolsTests.MDTestLib2); TestMissingTypeReferencesHelper1(assembly); var assemblies = MetadataTestHelpers.GetSymbolsForReferences(mrefs: new[] { TestReferences.SymbolsTests.MissingTypes.MDMissingType, TestReferences.SymbolsTests.MissingTypes.MDMissingTypeLib, TestMetadata.Net40.mscorlib }); TestMissingTypeReferencesHelper2(assemblies); } private void TestMissingTypeReferencesHelper1(AssemblySymbol assembly) { var module0 = assembly.Modules[0]; var localTC10 = module0.GlobalNamespace.GetTypeMembers("TC10").Single(); MissingMetadataTypeSymbol @base = (MissingMetadataTypeSymbol)localTC10.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("Object", @base.Name); Assert.Equal("System", @base.ContainingSymbol.Name); Assert.Equal(0, @base.Arity); Assert.Equal("System.Object[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal("mscorlib", @base.ContainingAssembly.Identity.Name); var localTC8 = module0.GlobalNamespace.GetTypeMembers("TC8").Single(); var genericBase = (ErrorTypeSymbol)localTC8.BaseType(); Assert.Equal("C1<System.Type[missing]>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.ConstructedFrom; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("C1", @base.Name); Assert.Equal(1, @base.Arity); Assert.Equal("C1<>[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal("MDTestLib1", @base.ContainingAssembly.Identity.Name); var localTC7 = module0.GlobalNamespace.GetTypeMembers("TC7").Single(); genericBase = (ErrorTypeSymbol)localTC7.BaseType(); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal("C1<TC7_T1>[missing].C3[missing].C4<TC7_T2>[missing]", genericBase.ToTestDisplayString()); Assert.True(genericBase.ContainingAssembly.IsMissing); Assert.True(@base.ContainingAssembly.IsMissing); Assert.Equal(@base.GetUseSiteDiagnostic().ToString(), genericBase.GetUseSiteDiagnostic().ToString()); Assert.Equal(@base.ErrorInfo.ToString(), genericBase.ErrorInfo.ToString()); var constructedFrom = genericBase.ConstructedFrom; Assert.Equal("C1<TC7_T1>[missing].C3[missing].C4<>[missing]", constructedFrom.ToTestDisplayString()); Assert.Same(constructedFrom, constructedFrom.Construct(constructedFrom.TypeParameters.ToArray())); Assert.Equal(genericBase, constructedFrom.Construct(genericBase.TypeArguments())); genericBase = (ErrorTypeSymbol)genericBase.ContainingSymbol; Assert.Equal("C1<TC7_T1>[missing].C3[missing]", genericBase.ToTestDisplayString()); Assert.Same(genericBase, genericBase.ConstructedFrom); genericBase = (ErrorTypeSymbol)genericBase.ContainingSymbol; Assert.Equal("C1<TC7_T1>[missing]", genericBase.ToTestDisplayString()); Assert.Same(genericBase.OriginalDefinition, genericBase.ConstructedFrom); Assert.Equal("C1<>[missing]", genericBase.OriginalDefinition.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("C4", @base.Name); Assert.Equal(1, @base.Arity); Assert.Equal("C1<>[missing].C3[missing].C4<>[missing]", @base.ToTestDisplayString()); Assert.NotNull(@base.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.Equal("MDTestLib1", @base.ContainingAssembly.Identity.Name); Assert.Equal(SymbolKind.ErrorType, @base.ContainingSymbol.Kind); Assert.NotNull(@base.ContainingSymbol.ContainingAssembly); Assert.Same(@base.ContainingAssembly, @base.ContainingSymbol.ContainingAssembly); Assert.Equal(SymbolKind.ErrorType, @base.ContainingSymbol.ContainingSymbol.Kind); Assert.NotNull(@base.ContainingSymbol.ContainingSymbol.ContainingAssembly); Assert.Same(@base.ContainingAssembly, @base.ContainingSymbol.ContainingSymbol.ContainingAssembly); } private void TestMissingTypeReferencesHelper2(AssemblySymbol[] assemblies, bool reflectionOnly = false) { var module1 = assemblies[0].Modules[0]; var module2 = assemblies[1].Modules[0]; var assembly2 = (MetadataOrSourceAssemblySymbol)assemblies[1]; NamedTypeSymbol localTC = module1.GlobalNamespace.GetTypeMembers("TC1").Single(); var @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC1", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("MissingNS1.MissingC1[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.Equal("MissingNS1", @base.ContainingNamespace.Name); Assert.Equal("", @base.ContainingNamespace.ContainingNamespace.Name); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingAssembly); localTC = module1.GlobalNamespace.GetTypeMembers("TC2").Single(); @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC2", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("MissingNS2.MissingNS3.MissingC2[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.Equal("MissingNS3", @base.ContainingNamespace.Name); Assert.Equal("MissingNS2", @base.ContainingNamespace.ContainingNamespace.Name); Assert.Equal("", @base.ContainingNamespace.ContainingNamespace.ContainingNamespace.Name); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingAssembly); localTC = module1.GlobalNamespace.GetTypeMembers("TC3").Single(); @base = (MissingMetadataTypeSymbol)localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC3", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("NS4.MissingNS5.MissingC3[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingModule); localTC = module1.GlobalNamespace.GetTypeMembers("TC4").Single(); var genericBase = localTC.BaseType(); Assert.Equal(SymbolKind.ErrorType, genericBase.Kind); Assert.Equal("MissingC4<T1, S1>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC4", @base.Name); Assert.Equal(2, @base.Arity); Assert.Equal("MissingC4<,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.NotNull(@base.ContainingNamespace); Assert.NotNull(@base.ContainingSymbol); Assert.NotNull(@base.ContainingModule); var missingC4 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC5").Single(); genericBase = localTC.BaseType(); Assert.Equal("MissingC4<T1, S1>[missing].MissingC5<U1, V1, W1>[missing]", genericBase.ToTestDisplayString()); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC5", @base.Name); Assert.Equal(3, @base.Arity); Assert.Equal("MissingC4<,>[missing].MissingC5<,,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.True(@base.ContainingNamespace.IsGlobalNamespace); Assert.Same(@base.ContainingSymbol, missingC4); var localC6 = module2.GlobalNamespace.GetTypeMembers("C6").Single(); localTC = module1.GlobalNamespace.GetTypeMembers("TC6").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.NamedType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC7", @base.Name); Assert.Equal(2, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); Assert.Same(@base.ContainingSymbol, localC6); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); var missingC7 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC7").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing].MissingC8[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC8", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing].MissingC8[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); if (!reflectionOnly) { Assert.Same(@base.ContainingSymbol, missingC7); } Assert.Equal(missingC7.ToTestDisplayString(), @base.ContainingSymbol.ToTestDisplayString()); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); var missingC8 = @base; localTC = module1.GlobalNamespace.GetTypeMembers("TC8").Single(); genericBase = localTC.BaseType(); Assert.Equal("C6.MissingC7<U, V>[missing].MissingC8[missing].MissingC9[missing]", genericBase.ToTestDisplayString()); Assert.Equal(SymbolKind.ErrorType, genericBase.ContainingSymbol.Kind); @base = (MissingMetadataTypeSymbol)genericBase.OriginalDefinition; Assert.Equal(SymbolKind.ErrorType, @base.Kind); Assert.False(@base.IsNamespace); Assert.True(@base.IsType); Assert.Equal("MissingC9", @base.Name); Assert.Equal(0, @base.Arity); Assert.Equal("C6.MissingC7<,>[missing].MissingC8[missing].MissingC9[missing]", @base.ToTestDisplayString()); Assert.Same(@base.ContainingAssembly, module2.ContainingAssembly); if (!reflectionOnly) { Assert.Same(@base.ContainingSymbol, missingC8); } Assert.Equal(missingC8.ToTestDisplayString(), @base.ContainingSymbol.ToTestDisplayString()); Assert.Same(@base.ContainingNamespace, localC6.ContainingNamespace); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingNS1.MissingC1")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingNS2.MissingNS3.MissingC2")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("NS4.MissingNS5.MissingC3")); Assert.IsAssignableFrom<MissingMetadataTypeSymbol>(assembly2.CachedTypeByEmittedName("MissingC4`2")); } [Fact] public void Equality() { var assemblies = MetadataTestHelpers.GetSymbolsForReferences(new[] { TestReferences.SymbolsTests.MissingTypes.MissingTypesEquality1, TestReferences.SymbolsTests.MissingTypes.MissingTypesEquality2, TestReferences.SymbolsTests.MDTestLib1, TestReferences.SymbolsTests.MDTestLib2 }); var asm1 = assemblies[0]; var asm1classC = asm1.GlobalNamespace.GetTypeMembers("C").Single(); var asm1m1 = asm1classC.GetMembers("M1").OfType<MethodSymbol>().Single(); var asm1m2 = asm1classC.GetMembers("M2").OfType<MethodSymbol>().Single(); var asm1m3 = asm1classC.GetMembers("M3").OfType<MethodSymbol>().Single(); var asm1m4 = asm1classC.GetMembers("M4").OfType<MethodSymbol>().Single(); var asm1m5 = asm1classC.GetMembers("M5").OfType<MethodSymbol>().Single(); var asm1m6 = asm1classC.GetMembers("M6").OfType<MethodSymbol>().Single(); var asm1m7 = asm1classC.GetMembers("M7").OfType<MethodSymbol>().Single(); var asm1m8 = asm1classC.GetMembers("M8").OfType<MethodSymbol>().Single(); Assert.NotEqual(asm1m2.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m3.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m4.ReturnType, asm1m1.ReturnType); Assert.NotEqual(asm1m5.ReturnType, asm1m4.ReturnType); Assert.NotEqual(asm1m6.ReturnType, asm1m4.ReturnType); Assert.Equal(asm1m7.ReturnType, asm1m1.ReturnType); Assert.Equal(asm1m8.ReturnType, asm1m4.ReturnType); var asm2 = assemblies[1]; var asm2classC = asm2.GlobalNamespace.GetTypeMembers("C").Single(); var asm2m1 = asm2classC.GetMembers("M1").OfType<MethodSymbol>().Single(); var asm2m4 = asm2classC.GetMembers("M4").OfType<MethodSymbol>().Single(); Assert.Equal(asm2m1.ReturnType, asm1m1.ReturnType); Assert.NotSame(asm1m4.ReturnType, asm2m4.ReturnType); Assert.Equal(asm2m4.ReturnType, asm1m4.ReturnType); Assert.Equal(asm1.GetSpecialType(SpecialType.System_Boolean), asm1.GetSpecialType(SpecialType.System_Boolean)); Assert.Equal(asm1.GetSpecialType(SpecialType.System_Boolean), asm2.GetSpecialType(SpecialType.System_Boolean)); MissingMetadataTypeSymbol[] missingTypes1 = new MissingMetadataTypeSymbol[15]; MissingMetadataTypeSymbol[] missingTypes2 = new MissingMetadataTypeSymbol[15]; var defaultName = new AssemblyIdentity("missing"); missingTypes1[0] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 0, true); missingTypes1[1] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 1, true); missingTypes1[2] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test2", 0, true); missingTypes1[3] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 0, true); missingTypes1[4] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 1, true); missingTypes1[5] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test2", 0, true); missingTypes1[6] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm2")).Modules[0], "", "test1", 0, true); missingTypes1[7] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 0, true); missingTypes1[8] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 1, true); missingTypes1[9] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test2", 0, true); missingTypes1[10] = new MissingMetadataTypeSymbol.TopLevel(asm2.Modules[0], "", "test1", 0, true); missingTypes1[11] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 0, true); missingTypes1[12] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 1, true); missingTypes1[13] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test2", 0, true); missingTypes1[14] = new MissingMetadataTypeSymbol.Nested(asm2classC, "test1", 0, true); missingTypes2[0] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 0, true); missingTypes2[1] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test1", 1, true); missingTypes2[2] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(defaultName).Modules[0], "", "test2", 0, true); missingTypes2[3] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 0, true); missingTypes2[4] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test1", 1, true); missingTypes2[5] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm1")).Modules[0], "", "test2", 0, true); missingTypes2[6] = new MissingMetadataTypeSymbol.TopLevel(new MissingAssemblySymbol(new AssemblyIdentity("asm2")).Modules[0], "", "test1", 0, true); missingTypes2[7] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 0, true); missingTypes2[8] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test1", 1, true); missingTypes2[9] = new MissingMetadataTypeSymbol.TopLevel(asm1.Modules[0], "", "test2", 0, true); missingTypes2[10] = new MissingMetadataTypeSymbol.TopLevel(asm2.Modules[0], "", "test1", 0, true); missingTypes2[11] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 0, true); missingTypes2[12] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test1", 1, true); missingTypes2[13] = new MissingMetadataTypeSymbol.Nested(asm1classC, "test2", 0, true); missingTypes2[14] = new MissingMetadataTypeSymbol.Nested(asm2classC, "test1", 0, true); for (int i = 0; i < missingTypes1.Length; i++) { for (int j = 0; j < missingTypes2.Length; j++) { if (i == j) { Assert.Equal(missingTypes2[j], missingTypes1[i]); Assert.Equal(missingTypes1[i], missingTypes2[j]); } else { Assert.NotEqual(missingTypes2[j], missingTypes1[i]); Assert.NotEqual(missingTypes1[i], missingTypes2[j]); } } } var missingAssembly = new MissingAssemblySymbol(new AssemblyIdentity("asm1")); Assert.True(missingAssembly.Equals(missingAssembly)); Assert.NotEqual(new object(), missingAssembly); Assert.False(missingAssembly.Equals(null)); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/IntegrationTest/TestUtilities/OutOfProcess/PreviewChangesDialog_OutOfProc.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Threading; namespace Microsoft.VisualStudio.IntegrationTest.Utilities.OutOfProcess { public class PreviewChangesDialog_OutOfProc : OutOfProcComponent { public PreviewChangesDialog_OutOfProc(VisualStudioInstance visualStudioInstance) : base(visualStudioInstance) { } /// <summary> /// Verifies that the Preview Changes dialog is showing with the /// specified title. The dialog does not have an AutomationId and the /// title can be changed by features, so callers of this method must /// specify a title. /// </summary> /// <param name="expectedTitle"></param> public void VerifyOpen(string expectedTitle, TimeSpan? timeout = null) { using (var cancellationTokenSource = timeout != null ? new CancellationTokenSource(timeout.Value) : null) { var cancellationToken = cancellationTokenSource?.Token ?? CancellationToken.None; DialogHelpers.FindDialogByName(GetMainWindowHWnd(), expectedTitle, isOpen: true, cancellationToken); // Wait for application idle to ensure the dialog is fully initialized VisualStudioInstance.WaitForApplicationIdle(cancellationToken); } } public void VerifyClosed(string expectedTitle) => DialogHelpers.FindDialogByName(GetMainWindowHWnd(), expectedTitle, isOpen: false, CancellationToken.None); public void ClickApplyAndWaitForFeature(string expectedTitle, string featureName) { DialogHelpers.PressButtonWithNameFromDialogWithName(GetMainWindowHWnd(), expectedTitle, "Apply"); VisualStudioInstance.Workspace.WaitForAsyncOperations(Helper.HangMitigatingTimeout, featureName); } public void ClickCancel(string expectedTitle) => DialogHelpers.PressButtonWithNameFromDialogWithName(GetMainWindowHWnd(), expectedTitle, "Cancel"); private IntPtr GetMainWindowHWnd() => VisualStudioInstance.Shell.GetHWnd(); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Threading; namespace Microsoft.VisualStudio.IntegrationTest.Utilities.OutOfProcess { public class PreviewChangesDialog_OutOfProc : OutOfProcComponent { public PreviewChangesDialog_OutOfProc(VisualStudioInstance visualStudioInstance) : base(visualStudioInstance) { } /// <summary> /// Verifies that the Preview Changes dialog is showing with the /// specified title. The dialog does not have an AutomationId and the /// title can be changed by features, so callers of this method must /// specify a title. /// </summary> /// <param name="expectedTitle"></param> public void VerifyOpen(string expectedTitle, TimeSpan? timeout = null) { using (var cancellationTokenSource = timeout != null ? new CancellationTokenSource(timeout.Value) : null) { var cancellationToken = cancellationTokenSource?.Token ?? CancellationToken.None; DialogHelpers.FindDialogByName(GetMainWindowHWnd(), expectedTitle, isOpen: true, cancellationToken); // Wait for application idle to ensure the dialog is fully initialized VisualStudioInstance.WaitForApplicationIdle(cancellationToken); } } public void VerifyClosed(string expectedTitle) => DialogHelpers.FindDialogByName(GetMainWindowHWnd(), expectedTitle, isOpen: false, CancellationToken.None); public void ClickApplyAndWaitForFeature(string expectedTitle, string featureName) { DialogHelpers.PressButtonWithNameFromDialogWithName(GetMainWindowHWnd(), expectedTitle, "Apply"); VisualStudioInstance.Workspace.WaitForAsyncOperations(Helper.HangMitigatingTimeout, featureName); } public void ClickCancel(string expectedTitle) => DialogHelpers.PressButtonWithNameFromDialogWithName(GetMainWindowHWnd(), expectedTitle, "Cancel"); private IntPtr GetMainWindowHWnd() => VisualStudioInstance.Shell.GetHWnd(); } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/VisualBasic/Portable/Lowering/LocalRewriter/LocalRewriter_LateMemberAccess.vb
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Imports System.Diagnostics Imports System.Runtime.InteropServices Imports Microsoft.CodeAnalysis.Text Imports Microsoft.CodeAnalysis.VisualBasic.Symbols Imports Microsoft.CodeAnalysis.VisualBasic.Syntax Imports TypeKind = Microsoft.CodeAnalysis.TypeKind Namespace Microsoft.CodeAnalysis.VisualBasic Partial Friend NotInheritable Class LocalRewriter Public Overrides Function VisitLateMemberAccess(memberAccess As BoundLateMemberAccess) As BoundNode If _inExpressionLambda Then ' just preserve the node to report an error in ExpressionLambdaRewriter Return MyBase.VisitLateMemberAccess(memberAccess) End If ' standalone late member access is a LateGet. Dim rewrittenReceiver As BoundExpression = VisitExpressionNode(memberAccess.ReceiverOpt) Return LateCallOrGet(memberAccess, rewrittenReceiver, argExpressions:=Nothing, assignmentArguments:=Nothing, argNames:=Nothing, useLateCall:=memberAccess.AccessKind = LateBoundAccessKind.Call) End Function End Class End Namespace
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Imports System.Diagnostics Imports System.Runtime.InteropServices Imports Microsoft.CodeAnalysis.Text Imports Microsoft.CodeAnalysis.VisualBasic.Symbols Imports Microsoft.CodeAnalysis.VisualBasic.Syntax Imports TypeKind = Microsoft.CodeAnalysis.TypeKind Namespace Microsoft.CodeAnalysis.VisualBasic Partial Friend NotInheritable Class LocalRewriter Public Overrides Function VisitLateMemberAccess(memberAccess As BoundLateMemberAccess) As BoundNode If _inExpressionLambda Then ' just preserve the node to report an error in ExpressionLambdaRewriter Return MyBase.VisitLateMemberAccess(memberAccess) End If ' standalone late member access is a LateGet. Dim rewrittenReceiver As BoundExpression = VisitExpressionNode(memberAccess.ReceiverOpt) Return LateCallOrGet(memberAccess, rewrittenReceiver, argExpressions:=Nothing, assignmentArguments:=Nothing, argNames:=Nothing, useLateCall:=memberAccess.AccessKind = LateBoundAccessKind.Call) End Function End Class End Namespace
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/Core/Formatting/AbstractSyntaxFormattingService.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; using System.Threading; using Microsoft.CodeAnalysis.Diagnostics; using Microsoft.CodeAnalysis.Formatting.Rules; using Microsoft.CodeAnalysis.Shared; using Microsoft.CodeAnalysis.Shared.Collections; using Microsoft.CodeAnalysis.Shared.Utilities; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.Formatting { internal abstract class AbstractSyntaxFormattingService : ISyntaxFormattingService { private static readonly Func<TextSpan, bool> s_notEmpty = s => !s.IsEmpty; private static readonly Func<TextSpan, int> s_spanLength = s => s.Length; protected AbstractSyntaxFormattingService() { } public abstract IEnumerable<AbstractFormattingRule> GetDefaultFormattingRules(); protected abstract IFormattingResult CreateAggregatedFormattingResult(SyntaxNode node, IList<AbstractFormattingResult> results, SimpleIntervalTree<TextSpan, TextSpanIntervalIntrospector>? formattingSpans = null); protected abstract AbstractFormattingResult Format(SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, SyntaxToken token1, SyntaxToken token2, CancellationToken cancellationToken); public IFormattingResult Format(SyntaxNode node, IEnumerable<TextSpan> spans, bool shouldUseFormattingSpanCollapse, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, CancellationToken cancellationToken) { CheckArguments(node, spans, options, rules); // quick exit check var spansToFormat = new NormalizedTextSpanCollection(spans.Where(s_notEmpty)); if (spansToFormat.Count == 0) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } // check what kind of formatting strategy to use if (AllowDisjointSpanMerging(spansToFormat, shouldUseFormattingSpanCollapse)) { return FormatMergedSpan(node, options, rules, spansToFormat, cancellationToken); } return FormatIndividually(node, options, rules, spansToFormat, cancellationToken); } private IFormattingResult FormatMergedSpan( SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, IList<TextSpan> spansToFormat, CancellationToken cancellationToken) { var spanToFormat = TextSpan.FromBounds(spansToFormat[0].Start, spansToFormat[spansToFormat.Count - 1].End); var pair = node.ConvertToTokenPair(spanToFormat); if (node.IsInvalidTokenRange(pair.Item1, pair.Item2)) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } // more expensive case var result = Format(node, options, rules, pair.Item1, pair.Item2, cancellationToken); return CreateAggregatedFormattingResult(node, new List<AbstractFormattingResult>(1) { result }, SimpleIntervalTree.Create(new TextSpanIntervalIntrospector(), spanToFormat)); } private IFormattingResult FormatIndividually( SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, IList<TextSpan> spansToFormat, CancellationToken cancellationToken) { List<AbstractFormattingResult>? results = null; foreach (var pair in node.ConvertToTokenPairs(spansToFormat)) { if (node.IsInvalidTokenRange(pair.Item1, pair.Item2)) { continue; } results ??= new List<AbstractFormattingResult>(); results.Add(Format(node, options, rules, pair.Item1, pair.Item2, cancellationToken)); } // quick simple case check if (results == null) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } if (results.Count == 1) { return results[0]; } // more expensive case return CreateAggregatedFormattingResult(node, results); } private static bool AllowDisjointSpanMerging(IList<TextSpan> list, bool shouldUseFormattingSpanCollapse) { // If the user is specific about the formatting specific spans then honor users settings if (!shouldUseFormattingSpanCollapse) { return false; } // most common case. it is either just formatting a whole file, a selection or some generate XXX refactoring. if (list.Count <= 3) { // don't collapse formatting spans return false; } // too many formatting spans, just collapse them and format at once if (list.Count > 30) { // figuring out base indentation at random place in a file takes about 2ms. // doing 30 times will make it cost about 60ms. that is about same cost, for the same file, engine will // take to create full formatting context. basically after that, creating full context is cheaper than // doing bottom up base indentation calculation for each span. return true; } // check how much area we are formatting var formattingSpan = TextSpan.FromBounds(list[0].Start, list[list.Count - 1].End); var actualFormattingSize = list.Sum(s_spanLength); // we are formatting more than half of the collapsed span. return (formattingSpan.Length / Math.Max(actualFormattingSize, 1)) < 2; } private static void CheckArguments(SyntaxNode node, IEnumerable<TextSpan> spans, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules) { if (node == null) { throw new ArgumentNullException(nameof(node)); } if (spans == null) { throw new ArgumentNullException(nameof(spans)); } if (options == null) { throw new ArgumentNullException(nameof(options)); } if (rules == null) { throw new ArgumentNullException(nameof(rules)); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; using System.Collections.Generic; using System.Linq; using System.Threading; using Microsoft.CodeAnalysis.Diagnostics; using Microsoft.CodeAnalysis.Formatting.Rules; using Microsoft.CodeAnalysis.Shared; using Microsoft.CodeAnalysis.Shared.Collections; using Microsoft.CodeAnalysis.Shared.Utilities; using Microsoft.CodeAnalysis.Text; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.Formatting { internal abstract class AbstractSyntaxFormattingService : ISyntaxFormattingService { private static readonly Func<TextSpan, bool> s_notEmpty = s => !s.IsEmpty; private static readonly Func<TextSpan, int> s_spanLength = s => s.Length; protected AbstractSyntaxFormattingService() { } public abstract IEnumerable<AbstractFormattingRule> GetDefaultFormattingRules(); protected abstract IFormattingResult CreateAggregatedFormattingResult(SyntaxNode node, IList<AbstractFormattingResult> results, SimpleIntervalTree<TextSpan, TextSpanIntervalIntrospector>? formattingSpans = null); protected abstract AbstractFormattingResult Format(SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, SyntaxToken token1, SyntaxToken token2, CancellationToken cancellationToken); public IFormattingResult Format(SyntaxNode node, IEnumerable<TextSpan> spans, bool shouldUseFormattingSpanCollapse, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, CancellationToken cancellationToken) { CheckArguments(node, spans, options, rules); // quick exit check var spansToFormat = new NormalizedTextSpanCollection(spans.Where(s_notEmpty)); if (spansToFormat.Count == 0) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } // check what kind of formatting strategy to use if (AllowDisjointSpanMerging(spansToFormat, shouldUseFormattingSpanCollapse)) { return FormatMergedSpan(node, options, rules, spansToFormat, cancellationToken); } return FormatIndividually(node, options, rules, spansToFormat, cancellationToken); } private IFormattingResult FormatMergedSpan( SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, IList<TextSpan> spansToFormat, CancellationToken cancellationToken) { var spanToFormat = TextSpan.FromBounds(spansToFormat[0].Start, spansToFormat[spansToFormat.Count - 1].End); var pair = node.ConvertToTokenPair(spanToFormat); if (node.IsInvalidTokenRange(pair.Item1, pair.Item2)) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } // more expensive case var result = Format(node, options, rules, pair.Item1, pair.Item2, cancellationToken); return CreateAggregatedFormattingResult(node, new List<AbstractFormattingResult>(1) { result }, SimpleIntervalTree.Create(new TextSpanIntervalIntrospector(), spanToFormat)); } private IFormattingResult FormatIndividually( SyntaxNode node, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules, IList<TextSpan> spansToFormat, CancellationToken cancellationToken) { List<AbstractFormattingResult>? results = null; foreach (var pair in node.ConvertToTokenPairs(spansToFormat)) { if (node.IsInvalidTokenRange(pair.Item1, pair.Item2)) { continue; } results ??= new List<AbstractFormattingResult>(); results.Add(Format(node, options, rules, pair.Item1, pair.Item2, cancellationToken)); } // quick simple case check if (results == null) { return CreateAggregatedFormattingResult(node, SpecializedCollections.EmptyList<AbstractFormattingResult>()); } if (results.Count == 1) { return results[0]; } // more expensive case return CreateAggregatedFormattingResult(node, results); } private static bool AllowDisjointSpanMerging(IList<TextSpan> list, bool shouldUseFormattingSpanCollapse) { // If the user is specific about the formatting specific spans then honor users settings if (!shouldUseFormattingSpanCollapse) { return false; } // most common case. it is either just formatting a whole file, a selection or some generate XXX refactoring. if (list.Count <= 3) { // don't collapse formatting spans return false; } // too many formatting spans, just collapse them and format at once if (list.Count > 30) { // figuring out base indentation at random place in a file takes about 2ms. // doing 30 times will make it cost about 60ms. that is about same cost, for the same file, engine will // take to create full formatting context. basically after that, creating full context is cheaper than // doing bottom up base indentation calculation for each span. return true; } // check how much area we are formatting var formattingSpan = TextSpan.FromBounds(list[0].Start, list[list.Count - 1].End); var actualFormattingSize = list.Sum(s_spanLength); // we are formatting more than half of the collapsed span. return (formattingSpan.Length / Math.Max(actualFormattingSize, 1)) < 2; } private static void CheckArguments(SyntaxNode node, IEnumerable<TextSpan> spans, AnalyzerConfigOptions options, IEnumerable<AbstractFormattingRule> rules) { if (node == null) { throw new ArgumentNullException(nameof(node)); } if (spans == null) { throw new ArgumentNullException(nameof(spans)); } if (options == null) { throw new ArgumentNullException(nameof(options)); } if (rules == null) { throw new ArgumentNullException(nameof(rules)); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Test/Resources/Core/SymbolsTests/MultiModule/MultiModule.dll
MZ@ !L!This program cannot be run in DOS mode. $PELZK! N$ @@ @#W@`  H.textT  `.rsrc@@@.reloc ` @B0$H t( *0  (+ *BSJB v4.0.30319lD#~0#Strings#US#GUID|#BlobG%3 !2 PDv[P ( X .  ( )(%1( .*.#3 8Rg<Module>mscorlibClass1SystemObject.ctorFooInt32System.CoreSystem.LinqEnumerableSystem.Collections.GenericIEnumerable`1Countmod2.netmoduleClass2mod3.netmoduleClass3System.Runtime.CompilerServicesCompilationRelaxationsAttributeRuntimeCompatibilityAttributeMultiModuleMultiModule.dll lcKBXہWdz\V4    TWrapNonExceptionThrows^O^M6 O2 IPA Bb03yLo$>$ 0$_CorDllMainmscoree.dll% @0HX@TT4VS_VERSION_INFO?DVarFileInfo$TranslationStringFileInfo000004b0,FileDescription 0FileVersion0.0.0.0@InternalNameMultiModule.dll(LegalCopyright HOriginalFilenameMultiModule.dll4ProductVersion0.0.0.08Assembly Version0.0.0.0 P4
MZ@ !L!This program cannot be run in DOS mode. $PELZK! N$ @@ @#W@`  H.textT  `.rsrc@@@.reloc ` @B0$H t( *0  (+ *BSJB v4.0.30319lD#~0#Strings#US#GUID|#BlobG%3 !2 PDv[P ( X .  ( )(%1( .*.#3 8Rg<Module>mscorlibClass1SystemObject.ctorFooInt32System.CoreSystem.LinqEnumerableSystem.Collections.GenericIEnumerable`1Countmod2.netmoduleClass2mod3.netmoduleClass3System.Runtime.CompilerServicesCompilationRelaxationsAttributeRuntimeCompatibilityAttributeMultiModuleMultiModule.dll lcKBXہWdz\V4    TWrapNonExceptionThrows^O^M6 O2 IPA Bb03yLo$>$ 0$_CorDllMainmscoree.dll% @0HX@TT4VS_VERSION_INFO?DVarFileInfo$TranslationStringFileInfo000004b0,FileDescription 0FileVersion0.0.0.0@InternalNameMultiModule.dll(LegalCopyright HOriginalFilenameMultiModule.dll4ProductVersion0.0.0.08Assembly Version0.0.0.0 P4
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Analyzers/VisualBasic/Analyzers/xlf/VisualBasicAnalyzersResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VisualBasicAnalyzersResources.resx"> <body> <trans-unit id="GetType_can_be_converted_to_NameOf"> <source>'GetType' can be converted to 'NameOf'</source> <target state="translated">"GetType" puede convertirse en "NameOf"</target> <note /> </trans-unit> <trans-unit id="If_statement_can_be_simplified"> <source>'If' statement can be simplified</source> <target state="translated">La instrucción "if" se puede simplificar</target> <note /> </trans-unit> <trans-unit id="Imports_statement_is_unnecessary"> <source>Imports statement is unnecessary.</source> <target state="translated">La declaración de importaciones no es necesaria.</target> <note /> </trans-unit> <trans-unit id="Object_creation_can_be_simplified"> <source>Object creation can be simplified</source> <target state="translated">Las creaciones de objetos se pueden simplificar</target> <note /> </trans-unit> <trans-unit id="Remove_ByVal"> <source>'ByVal' keyword is unnecessary and can be removed.</source> <target state="translated">La palabra clave "ByVal" no es necesaria y se puede quitar.</target> <note>{locked: ByVal}This is a Visual Basic keyword and should not be localized or have its casing changed</note> </trans-unit> <trans-unit id="Use_IsNot_Nothing_check"> <source>Use 'IsNot Nothing' check</source> <target state="translated">Usar comprobación "IsNot Nothing"</target> <note /> </trans-unit> <trans-unit id="Use_IsNot_expression"> <source>Use 'IsNot' expression</source> <target state="translated">Usar la expresión "IsNot"</target> <note>{locked: IsNot}This is a Visual Basic keyword and should not be localized or have its casing changed</note> </trans-unit> <trans-unit id="Use_Is_Nothing_check"> <source>Use 'Is Nothing' check</source> <target state="translated">Usar comprobación "Is Nothing"</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VisualBasicAnalyzersResources.resx"> <body> <trans-unit id="GetType_can_be_converted_to_NameOf"> <source>'GetType' can be converted to 'NameOf'</source> <target state="translated">"GetType" puede convertirse en "NameOf"</target> <note /> </trans-unit> <trans-unit id="If_statement_can_be_simplified"> <source>'If' statement can be simplified</source> <target state="translated">La instrucción "if" se puede simplificar</target> <note /> </trans-unit> <trans-unit id="Imports_statement_is_unnecessary"> <source>Imports statement is unnecessary.</source> <target state="translated">La declaración de importaciones no es necesaria.</target> <note /> </trans-unit> <trans-unit id="Object_creation_can_be_simplified"> <source>Object creation can be simplified</source> <target state="translated">Las creaciones de objetos se pueden simplificar</target> <note /> </trans-unit> <trans-unit id="Remove_ByVal"> <source>'ByVal' keyword is unnecessary and can be removed.</source> <target state="translated">La palabra clave "ByVal" no es necesaria y se puede quitar.</target> <note>{locked: ByVal}This is a Visual Basic keyword and should not be localized or have its casing changed</note> </trans-unit> <trans-unit id="Use_IsNot_Nothing_check"> <source>Use 'IsNot Nothing' check</source> <target state="translated">Usar comprobación "IsNot Nothing"</target> <note /> </trans-unit> <trans-unit id="Use_IsNot_expression"> <source>Use 'IsNot' expression</source> <target state="translated">Usar la expresión "IsNot"</target> <note>{locked: IsNot}This is a Visual Basic keyword and should not be localized or have its casing changed</note> </trans-unit> <trans-unit id="Use_Is_Nothing_check"> <source>Use 'Is Nothing' check</source> <target state="translated">Usar comprobación "Is Nothing"</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Features/CSharp/Portable/Debugging/BreakpointResolver.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Diagnostics; using System.Linq; using System.Threading; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Extensions; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Debugging; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.CSharp.Debugging { internal class BreakpointResolver : AbstractBreakpointResolver { public BreakpointResolver(Solution solution, string text) : base(solution, text, LanguageNames.CSharp, EqualityComparer<string>.Default) { } protected override IEnumerable<ISymbol> GetMembers(INamedTypeSymbol type, string name) { var members = type.GetMembers() .Where(m => m.Name == name || m.ExplicitInterfaceImplementations() .Where(i => i.Name == name) .Any()); return (type.Name == name) ? members.Concat(type.Constructors) : members; } protected override bool HasMethodBody(IMethodSymbol method, CancellationToken cancellationToken) { var location = method.Locations.First(loc => loc.IsInSource); var tree = location.SourceTree; var token = tree.GetRoot(cancellationToken).FindToken(location.SourceSpan.Start); return token.GetAncestor<MemberDeclarationSyntax>().GetBody() != null; } protected override void ParseText( out IList<NameAndArity> nameParts, out int? parameterCount) { var text = Text; Debug.Assert(text != null); var name = SyntaxFactory.ParseName(text, consumeFullText: false); var lengthOfParsedText = name.FullSpan.End; var parameterList = SyntaxFactory.ParseParameterList(text, lengthOfParsedText, consumeFullText: false); var foundIncompleteParameterList = false; parameterCount = null; if (!parameterList.IsMissing) { if (parameterList.OpenParenToken.IsMissing || parameterList.CloseParenToken.IsMissing) { foundIncompleteParameterList = true; } else { lengthOfParsedText += parameterList.FullSpan.End; parameterCount = parameterList.Parameters.Count; } } // If there is remaining text to parse, attempt to eat a trailing semicolon. if (lengthOfParsedText < text.Length) { var token = SyntaxFactory.ParseToken(text, lengthOfParsedText); if (token.IsKind(SyntaxKind.SemicolonToken)) { lengthOfParsedText += token.FullSpan.End; } } // It's not obvious, but this method can handle the case where name "IsMissing" (no suitable name was be parsed). var parts = name.GetNameParts(); // If we could not parse a valid parameter list or there was additional trailing text that could not be // interpreted, don't return any names or parameters. // Also, "Break at Function" doesn't seem to support alias qualified names with the old language service, // and aliases don't seem meaningful for the purposes of resolving symbols from source. Since we don't // have precedent or a clear user scenario, we won't resolve any alias qualified names (alias qualified // parameters are accepted, but we still only validate parameter count, similar to the old implementation). if (!foundIncompleteParameterList && (lengthOfParsedText == text.Length) && !parts.Any(p => p.IsKind(SyntaxKind.AliasQualifiedName))) { nameParts = parts.Cast<SimpleNameSyntax>().Select(p => new NameAndArity(p.Identifier.ValueText, p.Arity)).ToList(); } else { nameParts = SpecializedCollections.EmptyList<NameAndArity>(); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Diagnostics; using System.Linq; using System.Threading; using Microsoft.CodeAnalysis; using Microsoft.CodeAnalysis.CSharp.Extensions; using Microsoft.CodeAnalysis.CSharp.Syntax; using Microsoft.CodeAnalysis.Shared.Extensions; using Microsoft.CodeAnalysis.Debugging; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.CSharp.Debugging { internal class BreakpointResolver : AbstractBreakpointResolver { public BreakpointResolver(Solution solution, string text) : base(solution, text, LanguageNames.CSharp, EqualityComparer<string>.Default) { } protected override IEnumerable<ISymbol> GetMembers(INamedTypeSymbol type, string name) { var members = type.GetMembers() .Where(m => m.Name == name || m.ExplicitInterfaceImplementations() .Where(i => i.Name == name) .Any()); return (type.Name == name) ? members.Concat(type.Constructors) : members; } protected override bool HasMethodBody(IMethodSymbol method, CancellationToken cancellationToken) { var location = method.Locations.First(loc => loc.IsInSource); var tree = location.SourceTree; var token = tree.GetRoot(cancellationToken).FindToken(location.SourceSpan.Start); return token.GetAncestor<MemberDeclarationSyntax>().GetBody() != null; } protected override void ParseText( out IList<NameAndArity> nameParts, out int? parameterCount) { var text = Text; Debug.Assert(text != null); var name = SyntaxFactory.ParseName(text, consumeFullText: false); var lengthOfParsedText = name.FullSpan.End; var parameterList = SyntaxFactory.ParseParameterList(text, lengthOfParsedText, consumeFullText: false); var foundIncompleteParameterList = false; parameterCount = null; if (!parameterList.IsMissing) { if (parameterList.OpenParenToken.IsMissing || parameterList.CloseParenToken.IsMissing) { foundIncompleteParameterList = true; } else { lengthOfParsedText += parameterList.FullSpan.End; parameterCount = parameterList.Parameters.Count; } } // If there is remaining text to parse, attempt to eat a trailing semicolon. if (lengthOfParsedText < text.Length) { var token = SyntaxFactory.ParseToken(text, lengthOfParsedText); if (token.IsKind(SyntaxKind.SemicolonToken)) { lengthOfParsedText += token.FullSpan.End; } } // It's not obvious, but this method can handle the case where name "IsMissing" (no suitable name was be parsed). var parts = name.GetNameParts(); // If we could not parse a valid parameter list or there was additional trailing text that could not be // interpreted, don't return any names or parameters. // Also, "Break at Function" doesn't seem to support alias qualified names with the old language service, // and aliases don't seem meaningful for the purposes of resolving symbols from source. Since we don't // have precedent or a clear user scenario, we won't resolve any alias qualified names (alias qualified // parameters are accepted, but we still only validate parameter count, similar to the old implementation). if (!foundIncompleteParameterList && (lengthOfParsedText == text.Length) && !parts.Any(p => p.IsKind(SyntaxKind.AliasQualifiedName))) { nameParts = parts.Cast<SimpleNameSyntax>().Select(p => new NameAndArity(p.Identifier.ValueText, p.Arity)).ToList(); } else { nameParts = SpecializedCollections.EmptyList<NameAndArity>(); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/CSharp/Impl/xlf/VSPackage.zh-Hant.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hant" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>C#</source> <target state="translated">C#</target> <note>Used many places.</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">進階</target> <note>"Advanced" node under Tools &gt; Options, Text Editor, C#.</note> </trans-unit> <trans-unit id="103"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note>"IntelliSense" node under Tools &gt; Options, Text Editor, C#.</note> </trans-unit> <trans-unit id="104"> <source>C# Editor</source> <target state="translated">C# 編輯器</target> <note>"C# Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Settings for the C# editor found under the Advanced, Formatting, and IntelliSense nodes in the Tools/Options dialog box.</source> <target state="translated">在 [工具]/[選項] 對話方塊中的 [進階]、[格式化] 和 [IntelliSense] 節點下,所找到的 C# 編輯器設定。</target> <note>"C# Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Settings for general C# options found under the General and Tabs nodes in the Tools/Options dialog box.</source> <target state="translated">在 [工具]/[選項] 對話方塊中的 [一般] 及 [定位點] 節點下,所找到的一般 C# 選項設定。</target> <note>"C#" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="306"> <source>Underline reassigned variables; Display inline hints; Show diagnostics for closed files; Colorize regular expression; Highlight related components under cursor; Report invalid regular expressions; Enable full solution analysis; Perform editor feature analysis in external process; Enable navigation to decompiled sources; Using directives; Place system directives first when sorting usings; Separate using directive groups; Suggest usings for types in reference assemblies; Suggest usings for types in NuGet packages; Highlighting; Highlight references to symbol under cursor; Highlight related keywords under cursor; Outlining; Enter outlining mode when files open; Show procedure line separators; Show outlining for declaration level constructs; Show outlining for code level constructs; Show outlining for comments and preprocessor regions; Collapse regions when collapsing to definitions; Fading; Fade out unused usings; Fade out unreachable code; Block Structure Guides; Show guides for declaration level constructs; Show guides for code level constructs; Editor Help; Generate XML documentation comments for ///; Insert * at the start of new lines when writing /* */ comments; Show preview for rename tracking; Split string literals on Enter; Report invalid placeholders in string.Format calls; Extract Method; Don't put ref or out on custom struct; Implement Interface or Abstract Class; When inserting properties, events and methods, place them; with other members of the same kind; at the end; When generating property; prefer throwing properties; prefer auto properties; regex; regular expression; Use enhanced colors; Editor Color Scheme; Inheritance Margin;</source> <target state="needs-review-translation">顯示內嵌提示; 顯示已關閉檔案的診斷; 為規則運算式著色; 醒目提示游標下的相關元件; 回報無效的規則運算式; 啟用完整解決方案分析; 在外部處理序中執行編輯器功能分析; 啟用瀏覽至反向組譯的來源; using 指示詞; 排序 using 時先放置系統指示詞; 分隔 using 指示詞群組; 為參考組件中的類型建議 using; 為 NuGet 套件中的類型建議 using; 醒目提示; 醒目提示游標下的符號參考; 醒目提示游標下的相關關鍵字; 大綱; 在檔案開啟時進入大綱模式; 顯示程序行分隔符號; 顯示宣告層級建構的大綱; 顯示程式碼層級建構的大綱; 顯示註解與前置處理器區域的大綱; 在摺疊到定義時摺疊區域; 漸層; 淡出未使用的 using; 淡出無法執行到的程式碼; 區塊結構輔助線; 顯示宣告層級建構的輔助線; 顯示程式碼層級建構的輔助線; 編輯器說明; 產生 /// 的 XML 文件註解; 在撰寫 /* */ 註解時,於新行開頭插入 *; 顯示重新命名追蹤的預覽; 在按 Enter 鍵時分割字串常值; 回報 string.Format 呼叫中無效的預留位置; 擷取方法; 不要在自訂結構上放置 ref 或 out; 實作介面或抽象類別; 在插入屬性、事件和方法時,予以放置; 隨同其他同種類的成員; 結尾處; 產生屬性時; 建議使用擲回屬性; 建議使用自動屬性; regex; 規則運算式; 使用進階色彩; 編輯器色彩配置;</target> <note>C# Advanced options page keywords</note> </trans-unit> <trans-unit id="307"> <source>Automatically format when typing; Automatically format statement on semicolon ; Automatically format block on end brace; Automatically format on return; Automatically format on paste;</source> <target state="translated">在鍵入時自動格式化; 在分號處自動將陳述式格式化; 在右大括號處自動將區塊格式化; 在換行時自動格式化; 在貼上時自動格式化;</target> <note>C# Formatting &gt; General options page keywords</note> </trans-unit> <trans-unit id="308"> <source>Indent block contents; indent open and close braces; indent case contents; indent case contents (when block); indent case labels; label indentation; place goto labels in leftmost column; indent labels normally; place goto labels one indent less than current;</source> <target state="translated">將區塊內容縮排; 將左右大括號縮排; 將 case 內容縮排; 將 case 內容 (若為區塊) 縮排; 將 case 標籤縮排; 標籤縮排; 將 goto 標籤放入最左方欄位; 將標籤正常縮排; 將 goto 標籤在目前的位置凸出一排;</target> <note>C# Formatting &gt; Indentation options page keywords</note> </trans-unit> <trans-unit id="309"> <source>New line formatting option for braces;New line formatting options for keywords;New line options for braces; Place open brace on new line for types; Place open brace on new line for methods and local functions; Place open brace on new line for properties, indexers, and events; Place open brace on new line for property, indexer, and event accessors; Place open brace on new line for anonymous methods; Place open brace on new line for control blocks; Place open brace on new line for anonymous types; Place open brace on new line for object, collection and array initializers; New line options for keywords; Place else on new line; Place catch on new line; Place finally on new line; New line options for expression; Place members in object initializers on new line; Place members in anonymous types on new line; Place query expression clauses on new line;</source> <target state="translated">大括號的新行格式化選項;關鍵字的新行格式化選項;大括號的新行選項; 針對類型將左大括號換到新行; 針對方法和區域函式將左大括號換到新行; 針對屬性、索引子和事件將左大括號換到新行; 針對屬性、索引子和事件存取子將左大括號換到新行; 針對匿名方法將左大括號換到新行; 針對控制區塊將左大括號換到新行; 針對匿名類型將左大括號換到新行; 針對物件、集合和陣列初始設定式將左大括號換到新行; 關鍵字的新行選項; 將 else 換到新行; 將 catch 換到新行; 將 finally 換到新行; 運算式的新行選項; 將物件初始設定式中的成員換到新行; 將匿名類型中的成員換到新行; 將查詢運算式子句換到新行;</target> <note>C# Formatting &gt; New Lines options page keywords</note> </trans-unit> <trans-unit id="310"> <source>Set spacing for method declarations; Insert space between method name and its opening parenthesis; Insert space within parameter list parentheses; Insert space within empty parameter list parentheses; Set spacing for method calls; Insert space within argument list parentheses; Insert space within empty argument list parentheses; Set other spacing options; Insert space after keywords in control flow statements; Insert space within parentheses of expressions; Insert space within parentheses of type casts; Insert spaces within parentheses of control flow statements; Insert space after cast; Ignore spaces in declaration statements; Set spacing for brackets; Insert space before open square bracket; Insert space within empty square brackets; Insert spaces within square brackets; Set spacing for delimiters; Insert space after colon for base or interface in type declaration; Insert space after comma; Insert space after dot; Insert space after semicolon in for statement; Insert space before colon for base or interface in type declaration; Insert space before comma; Insert space before dot; Insert space before semicolon in for statement; Set spacing for operators; Ignore spaces around binary operators; Remove spaces before and after binary operators; Insert space before and after binary operators;</source> <target state="translated">設定方法宣告的間距; 在方法名稱及其左括號間插入空格; 在參數清單括號內插入空格; 在空白參數清單括號內插入空格; 設定方法呼叫的間距; 在引數清單括號內插入空格; 在空白引數清單括號內插入空格; 設定其他間距選項; 在控制流程陳述式中的關鍵字後插入空格; 在運算式的括號內插入空格; 在類型轉換的括號內插入空格; 在控制流程陳述式的括號內插入空格; 在轉換後插入空格; 略過宣告陳述式中的空格; 設定中括號的空格; 在左方括號前插入空格; 在空白方括號內插入空格; 在方括號內插入空格; 設定分隔符號的空格; 針對類型宣告中的基底或介面在冒號後插入空格; 在逗號後插入空格; 在點號後插入空格; 在 for 陳述式內的分號後插入空格; 針對類型宣告中的基底或介面在冒號前插入空格; 在逗號前插入空格; 在點號前插入空格; 在 for 陳述式內的分號前插入空格; 設定運算子的間距; 略過二元運算子周圍的空格; 移除二元運算子前後的空格; 在二元運算子前後插入空格;</target> <note>C# Formatting &gt; Spacing options page keywords</note> </trans-unit> <trans-unit id="311"> <source>Change formatting options for wrapping;leave block on single line;leave statements and member declarations on the same line</source> <target state="translated">變更換行的格式化選項;將區塊保留在同一行;將陳述式與成員宣告保留在同一行</target> <note>C# Formatting &gt; Wrapping options page keywords</note> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member; Completion Lists; Show completion list after a character is typed; Show completion list after a character is deleted; Automatically show completion list in argument lists (experimental); Highlight matching portions of completion list items; Show completion item filters; Automatically complete statement on semicolon; Snippets behavior; Never include snippets; Always include snippets; Include snippets when ?-Tab is typed after an identifier; Enter key behavior; Never add new line on enter; Only add new line on enter after end of fully typed word; Always add new line on enter; Show name suggestions; Show items from unimported namespaces (experimental);</source> <target state="translated">變更自動完成清單設定;預先選取最近使用的成員; 自動完成清單; 在鍵入字元後顯示自動完成清單; 在刪除字元後顯示自動完成清單; 自動在引數清單中顯示自動完成清單 (實驗性); 醒目提示自動完成清單項目的相符部分; 顯示完成項目篩選; 在遇到分號時自動完成陳述式; 程式碼片段行為; 一律不包含程式碼片段; 一律包含程式碼片段; 在識別碼後鍵入 ?-Tab 時包含程式碼片段; Enter 鍵行為; 一律不在按下 Enter 鍵時新增一行程式碼; 只在按下 Enter 鍵時,於完整鍵入的文字結尾後新增一行程式碼; 一律在按下 Enter 鍵時新增一行程式碼; 顯示名稱建議; 顯示未匯入命名空間中的項目 (實驗性);</target> <note>C# IntelliSense options page keywords</note> </trans-unit> <trans-unit id="107"> <source>Formatting</source> <target state="translated">格式化</target> <note>"Formatting" category node under Tools &gt; Options, Text Editor, C#, Code Style (no corresponding keywords)</note> </trans-unit> <trans-unit id="108"> <source>General</source> <target state="translated">一般</target> <note>"General" node under Tools &gt; Options, Text Editor, C# (used for Code Style and Formatting)</note> </trans-unit> <trans-unit id="109"> <source>Indentation</source> <target state="translated">縮排</target> <note>"Indentation" node under Tools &gt; Options, Text Editor, C#, Formatting.</note> </trans-unit> <trans-unit id="110"> <source>Wrapping</source> <target state="translated">換行</target> <note /> </trans-unit> <trans-unit id="111"> <source>New Lines</source> <target state="translated">新行</target> <note /> </trans-unit> <trans-unit id="112"> <source>Spacing</source> <target state="translated">間距</target> <note /> </trans-unit> <trans-unit id="2358"> <source>C# Editor</source> <target state="translated">C# 編輯器</target> <note /> </trans-unit> <trans-unit id="2359"> <source>C# Editor with Encoding</source> <target state="translated">具備編碼功能的 C# 編輯器</target> <note /> </trans-unit> <trans-unit id="113"> <source>Microsoft Visual C#</source> <target state="translated">Microsoft Visual C#</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="114"> <source>Code Style</source> <target state="translated">程式碼樣式</target> <note>"Code Style" category node under Tools &gt; Options, Text Editor, C# (no corresponding keywords)</note> </trans-unit> <trans-unit id="313"> <source>Style;Qualify;This;Code Style;var;member access;locals;parameters;var preferences;predefined type;framework type;built-in types;when variable type is apparent;elsewhere;qualify field access;qualify property access; qualify method access;qualify event access;</source> <target state="translated">樣式;限定;此;程式碼樣式;var;成員存取權;本機;參數;var 偏好;預先定義的類型;架構類型;內建類型;當變數類型明顯時;其他地方;限定欄位存取權;限定屬性存取權;限定方法存取權;限定事件存取權;</target> <note>C# Code Style options page keywords</note> </trans-unit> <trans-unit id="115"> <source>Naming</source> <target state="translated">命名</target> <note /> </trans-unit> <trans-unit id="314"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名樣式;命名樣式;命名規則;命名慣例</target> <note>C# Naming Style options page keywords</note> </trans-unit> <trans-unit id="116"> <source>C# Tools</source> <target state="translated">C# 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="117"> <source>C# components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">在 IDE 中使用的 C# 元件。根據您的專案類型與設定,可能會使用其他版本的編譯器。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_CSharp_script_file"> <source>An empty C# script file.</source> <target state="translated">空白的 C# 指令碼檔。</target> <note /> </trans-unit> <trans-unit id="Visual_CSharp_Script"> <source>Visual C# Script</source> <target state="translated">Visual C# 指令碼</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hant" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>C#</source> <target state="translated">C#</target> <note>Used many places.</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">進階</target> <note>"Advanced" node under Tools &gt; Options, Text Editor, C#.</note> </trans-unit> <trans-unit id="103"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note>"IntelliSense" node under Tools &gt; Options, Text Editor, C#.</note> </trans-unit> <trans-unit id="104"> <source>C# Editor</source> <target state="translated">C# 編輯器</target> <note>"C# Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Settings for the C# editor found under the Advanced, Formatting, and IntelliSense nodes in the Tools/Options dialog box.</source> <target state="translated">在 [工具]/[選項] 對話方塊中的 [進階]、[格式化] 和 [IntelliSense] 節點下,所找到的 C# 編輯器設定。</target> <note>"C# Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Settings for general C# options found under the General and Tabs nodes in the Tools/Options dialog box.</source> <target state="translated">在 [工具]/[選項] 對話方塊中的 [一般] 及 [定位點] 節點下,所找到的一般 C# 選項設定。</target> <note>"C#" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="306"> <source>Underline reassigned variables; Display inline hints; Show diagnostics for closed files; Colorize regular expression; Highlight related components under cursor; Report invalid regular expressions; Enable full solution analysis; Perform editor feature analysis in external process; Enable navigation to decompiled sources; Using directives; Place system directives first when sorting usings; Separate using directive groups; Suggest usings for types in reference assemblies; Suggest usings for types in NuGet packages; Highlighting; Highlight references to symbol under cursor; Highlight related keywords under cursor; Outlining; Enter outlining mode when files open; Show procedure line separators; Show outlining for declaration level constructs; Show outlining for code level constructs; Show outlining for comments and preprocessor regions; Collapse regions when collapsing to definitions; Fading; Fade out unused usings; Fade out unreachable code; Block Structure Guides; Show guides for declaration level constructs; Show guides for code level constructs; Editor Help; Generate XML documentation comments for ///; Insert * at the start of new lines when writing /* */ comments; Show preview for rename tracking; Split string literals on Enter; Report invalid placeholders in string.Format calls; Extract Method; Don't put ref or out on custom struct; Implement Interface or Abstract Class; When inserting properties, events and methods, place them; with other members of the same kind; at the end; When generating property; prefer throwing properties; prefer auto properties; regex; regular expression; Use enhanced colors; Editor Color Scheme; Inheritance Margin;</source> <target state="needs-review-translation">顯示內嵌提示; 顯示已關閉檔案的診斷; 為規則運算式著色; 醒目提示游標下的相關元件; 回報無效的規則運算式; 啟用完整解決方案分析; 在外部處理序中執行編輯器功能分析; 啟用瀏覽至反向組譯的來源; using 指示詞; 排序 using 時先放置系統指示詞; 分隔 using 指示詞群組; 為參考組件中的類型建議 using; 為 NuGet 套件中的類型建議 using; 醒目提示; 醒目提示游標下的符號參考; 醒目提示游標下的相關關鍵字; 大綱; 在檔案開啟時進入大綱模式; 顯示程序行分隔符號; 顯示宣告層級建構的大綱; 顯示程式碼層級建構的大綱; 顯示註解與前置處理器區域的大綱; 在摺疊到定義時摺疊區域; 漸層; 淡出未使用的 using; 淡出無法執行到的程式碼; 區塊結構輔助線; 顯示宣告層級建構的輔助線; 顯示程式碼層級建構的輔助線; 編輯器說明; 產生 /// 的 XML 文件註解; 在撰寫 /* */ 註解時,於新行開頭插入 *; 顯示重新命名追蹤的預覽; 在按 Enter 鍵時分割字串常值; 回報 string.Format 呼叫中無效的預留位置; 擷取方法; 不要在自訂結構上放置 ref 或 out; 實作介面或抽象類別; 在插入屬性、事件和方法時,予以放置; 隨同其他同種類的成員; 結尾處; 產生屬性時; 建議使用擲回屬性; 建議使用自動屬性; regex; 規則運算式; 使用進階色彩; 編輯器色彩配置;</target> <note>C# Advanced options page keywords</note> </trans-unit> <trans-unit id="307"> <source>Automatically format when typing; Automatically format statement on semicolon ; Automatically format block on end brace; Automatically format on return; Automatically format on paste;</source> <target state="translated">在鍵入時自動格式化; 在分號處自動將陳述式格式化; 在右大括號處自動將區塊格式化; 在換行時自動格式化; 在貼上時自動格式化;</target> <note>C# Formatting &gt; General options page keywords</note> </trans-unit> <trans-unit id="308"> <source>Indent block contents; indent open and close braces; indent case contents; indent case contents (when block); indent case labels; label indentation; place goto labels in leftmost column; indent labels normally; place goto labels one indent less than current;</source> <target state="translated">將區塊內容縮排; 將左右大括號縮排; 將 case 內容縮排; 將 case 內容 (若為區塊) 縮排; 將 case 標籤縮排; 標籤縮排; 將 goto 標籤放入最左方欄位; 將標籤正常縮排; 將 goto 標籤在目前的位置凸出一排;</target> <note>C# Formatting &gt; Indentation options page keywords</note> </trans-unit> <trans-unit id="309"> <source>New line formatting option for braces;New line formatting options for keywords;New line options for braces; Place open brace on new line for types; Place open brace on new line for methods and local functions; Place open brace on new line for properties, indexers, and events; Place open brace on new line for property, indexer, and event accessors; Place open brace on new line for anonymous methods; Place open brace on new line for control blocks; Place open brace on new line for anonymous types; Place open brace on new line for object, collection and array initializers; New line options for keywords; Place else on new line; Place catch on new line; Place finally on new line; New line options for expression; Place members in object initializers on new line; Place members in anonymous types on new line; Place query expression clauses on new line;</source> <target state="translated">大括號的新行格式化選項;關鍵字的新行格式化選項;大括號的新行選項; 針對類型將左大括號換到新行; 針對方法和區域函式將左大括號換到新行; 針對屬性、索引子和事件將左大括號換到新行; 針對屬性、索引子和事件存取子將左大括號換到新行; 針對匿名方法將左大括號換到新行; 針對控制區塊將左大括號換到新行; 針對匿名類型將左大括號換到新行; 針對物件、集合和陣列初始設定式將左大括號換到新行; 關鍵字的新行選項; 將 else 換到新行; 將 catch 換到新行; 將 finally 換到新行; 運算式的新行選項; 將物件初始設定式中的成員換到新行; 將匿名類型中的成員換到新行; 將查詢運算式子句換到新行;</target> <note>C# Formatting &gt; New Lines options page keywords</note> </trans-unit> <trans-unit id="310"> <source>Set spacing for method declarations; Insert space between method name and its opening parenthesis; Insert space within parameter list parentheses; Insert space within empty parameter list parentheses; Set spacing for method calls; Insert space within argument list parentheses; Insert space within empty argument list parentheses; Set other spacing options; Insert space after keywords in control flow statements; Insert space within parentheses of expressions; Insert space within parentheses of type casts; Insert spaces within parentheses of control flow statements; Insert space after cast; Ignore spaces in declaration statements; Set spacing for brackets; Insert space before open square bracket; Insert space within empty square brackets; Insert spaces within square brackets; Set spacing for delimiters; Insert space after colon for base or interface in type declaration; Insert space after comma; Insert space after dot; Insert space after semicolon in for statement; Insert space before colon for base or interface in type declaration; Insert space before comma; Insert space before dot; Insert space before semicolon in for statement; Set spacing for operators; Ignore spaces around binary operators; Remove spaces before and after binary operators; Insert space before and after binary operators;</source> <target state="translated">設定方法宣告的間距; 在方法名稱及其左括號間插入空格; 在參數清單括號內插入空格; 在空白參數清單括號內插入空格; 設定方法呼叫的間距; 在引數清單括號內插入空格; 在空白引數清單括號內插入空格; 設定其他間距選項; 在控制流程陳述式中的關鍵字後插入空格; 在運算式的括號內插入空格; 在類型轉換的括號內插入空格; 在控制流程陳述式的括號內插入空格; 在轉換後插入空格; 略過宣告陳述式中的空格; 設定中括號的空格; 在左方括號前插入空格; 在空白方括號內插入空格; 在方括號內插入空格; 設定分隔符號的空格; 針對類型宣告中的基底或介面在冒號後插入空格; 在逗號後插入空格; 在點號後插入空格; 在 for 陳述式內的分號後插入空格; 針對類型宣告中的基底或介面在冒號前插入空格; 在逗號前插入空格; 在點號前插入空格; 在 for 陳述式內的分號前插入空格; 設定運算子的間距; 略過二元運算子周圍的空格; 移除二元運算子前後的空格; 在二元運算子前後插入空格;</target> <note>C# Formatting &gt; Spacing options page keywords</note> </trans-unit> <trans-unit id="311"> <source>Change formatting options for wrapping;leave block on single line;leave statements and member declarations on the same line</source> <target state="translated">變更換行的格式化選項;將區塊保留在同一行;將陳述式與成員宣告保留在同一行</target> <note>C# Formatting &gt; Wrapping options page keywords</note> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member; Completion Lists; Show completion list after a character is typed; Show completion list after a character is deleted; Automatically show completion list in argument lists (experimental); Highlight matching portions of completion list items; Show completion item filters; Automatically complete statement on semicolon; Snippets behavior; Never include snippets; Always include snippets; Include snippets when ?-Tab is typed after an identifier; Enter key behavior; Never add new line on enter; Only add new line on enter after end of fully typed word; Always add new line on enter; Show name suggestions; Show items from unimported namespaces (experimental);</source> <target state="translated">變更自動完成清單設定;預先選取最近使用的成員; 自動完成清單; 在鍵入字元後顯示自動完成清單; 在刪除字元後顯示自動完成清單; 自動在引數清單中顯示自動完成清單 (實驗性); 醒目提示自動完成清單項目的相符部分; 顯示完成項目篩選; 在遇到分號時自動完成陳述式; 程式碼片段行為; 一律不包含程式碼片段; 一律包含程式碼片段; 在識別碼後鍵入 ?-Tab 時包含程式碼片段; Enter 鍵行為; 一律不在按下 Enter 鍵時新增一行程式碼; 只在按下 Enter 鍵時,於完整鍵入的文字結尾後新增一行程式碼; 一律在按下 Enter 鍵時新增一行程式碼; 顯示名稱建議; 顯示未匯入命名空間中的項目 (實驗性);</target> <note>C# IntelliSense options page keywords</note> </trans-unit> <trans-unit id="107"> <source>Formatting</source> <target state="translated">格式化</target> <note>"Formatting" category node under Tools &gt; Options, Text Editor, C#, Code Style (no corresponding keywords)</note> </trans-unit> <trans-unit id="108"> <source>General</source> <target state="translated">一般</target> <note>"General" node under Tools &gt; Options, Text Editor, C# (used for Code Style and Formatting)</note> </trans-unit> <trans-unit id="109"> <source>Indentation</source> <target state="translated">縮排</target> <note>"Indentation" node under Tools &gt; Options, Text Editor, C#, Formatting.</note> </trans-unit> <trans-unit id="110"> <source>Wrapping</source> <target state="translated">換行</target> <note /> </trans-unit> <trans-unit id="111"> <source>New Lines</source> <target state="translated">新行</target> <note /> </trans-unit> <trans-unit id="112"> <source>Spacing</source> <target state="translated">間距</target> <note /> </trans-unit> <trans-unit id="2358"> <source>C# Editor</source> <target state="translated">C# 編輯器</target> <note /> </trans-unit> <trans-unit id="2359"> <source>C# Editor with Encoding</source> <target state="translated">具備編碼功能的 C# 編輯器</target> <note /> </trans-unit> <trans-unit id="113"> <source>Microsoft Visual C#</source> <target state="translated">Microsoft Visual C#</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="114"> <source>Code Style</source> <target state="translated">程式碼樣式</target> <note>"Code Style" category node under Tools &gt; Options, Text Editor, C# (no corresponding keywords)</note> </trans-unit> <trans-unit id="313"> <source>Style;Qualify;This;Code Style;var;member access;locals;parameters;var preferences;predefined type;framework type;built-in types;when variable type is apparent;elsewhere;qualify field access;qualify property access; qualify method access;qualify event access;</source> <target state="translated">樣式;限定;此;程式碼樣式;var;成員存取權;本機;參數;var 偏好;預先定義的類型;架構類型;內建類型;當變數類型明顯時;其他地方;限定欄位存取權;限定屬性存取權;限定方法存取權;限定事件存取權;</target> <note>C# Code Style options page keywords</note> </trans-unit> <trans-unit id="115"> <source>Naming</source> <target state="translated">命名</target> <note /> </trans-unit> <trans-unit id="314"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名樣式;命名樣式;命名規則;命名慣例</target> <note>C# Naming Style options page keywords</note> </trans-unit> <trans-unit id="116"> <source>C# Tools</source> <target state="translated">C# 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="117"> <source>C# components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">在 IDE 中使用的 C# 元件。根據您的專案類型與設定,可能會使用其他版本的編譯器。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_CSharp_script_file"> <source>An empty C# script file.</source> <target state="translated">空白的 C# 指令碼檔。</target> <note /> </trans-unit> <trans-unit id="Visual_CSharp_Script"> <source>Visual C# Script</source> <target state="translated">Visual C# 指令碼</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Analyzers/CSharp/Tests/MakeFieldReadonly/MakeFieldReadonlyTests.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.CodeFixes; using Microsoft.CodeAnalysis.CSharp.MakeFieldReadonly; using Microsoft.CodeAnalysis.Diagnostics; using Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Diagnostics; using Microsoft.CodeAnalysis.MakeFieldReadonly; using Microsoft.CodeAnalysis.Test.Utilities; using Roslyn.Test.Utilities; using Xunit; using Xunit.Abstractions; namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.MakeFieldReadonly { public class MakeFieldReadonlyTests : AbstractCSharpDiagnosticProviderBasedUserDiagnosticTest { public MakeFieldReadonlyTests(ITestOutputHelper logger) : base(logger) { } internal override (DiagnosticAnalyzer, CodeFixProvider) CreateDiagnosticProviderAndFixer(Workspace workspace) => (new MakeFieldReadonlyDiagnosticAnalyzer(), new CSharpMakeFieldReadonlyCodeFixProvider()); [Theory, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [InlineData("public")] [InlineData("internal")] [InlineData("protected")] [InlineData("protected internal")] [InlineData("private protected")] public async Task NonPrivateField(string accessibility) { await TestMissingInRegularAndScriptAsync( $@"class MyClass {{ {accessibility} int[| _goo |]; }}"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsEvent() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private event System.EventHandler [|Goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsReadonly() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private readonly int [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsConst() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private const int [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldNotAssigned() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; }", @"class MyClass { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldNotAssigned_Struct() { await TestInRegularAndScript1Async( @"struct MyStruct { private int [|_goo|]; }", @"struct MyStruct { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInline() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|] = 0; }", @"class MyClass { private readonly int _goo = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_AllCanBeReadonly() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|] = 0, _bar = 0; }", @"class MyClass { private readonly int _goo = 0; private int _bar = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task ThreeFieldsAssignedInline_AllCanBeReadonly_SeparatesAllAndKeepsThemInOrder() { await TestInRegularAndScript1Async( @"class MyClass { private int _goo = 0, [|_bar|] = 0, _fizz = 0; }", @"class MyClass { private int _goo = 0; private readonly int _bar = 0; private int _fizz = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_OneIsAssignedInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private int _goo = 0, [|_bar|] = 0; Goo() { _goo = 0; } }", @"class MyClass { private int _goo = 0; private readonly int _bar = 0; Goo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_NoInitializer() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|], _bar = 0; }", @"class MyClass { private readonly int _goo; private int _bar = 0; }"); } [Theory, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [InlineData("")] [InlineData("\r\n")] [InlineData("\r\n\r\n")] public async Task MultipleFieldsAssignedInline_LeadingCommentAndWhitespace(string leadingTrvia) { await TestInRegularAndScript1Async( $@"class MyClass {{ //Comment{leadingTrvia} private int _goo = 0, [|_bar|] = 0; }}", $@"class MyClass {{ //Comment{leadingTrvia} private int _goo = 0; private readonly int _bar = 0; }}"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { _goo = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInSimpleLambdaInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E = x => this._goo = 0; } public Action<int> E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLambdaInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E += (_, __) => this._goo = 0; } public event EventHandler E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLambdaWithBlockInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E += (_, __) => { this._goo = 0; } } public event EventHandler E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInAnonymousFunctionInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E = delegate { this._goo = 0; }; } public Action<int> E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLocalFunctionExpressionBodyInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { void LocalFunction() => this._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLocalFunctionBlockBodyInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { void LocalFunction() { this._goo = 0; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_DifferentInstance() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; MyClass() { var goo = new MyClass(); goo._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_DifferentInstance_ObjectInitializer() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; MyClass() { var goo = new MyClass { _goo = 0 }; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_QualifiedWithThis() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { this._goo = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { this._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldReturnedInProperty() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; int Goo { get { return _goo; } } }", @"class MyClass { private readonly int _goo; int Goo { get { return _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(29746, "https://github.com/dotnet/roslyn/issues/29746")] public async Task FieldReturnedInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s; } }", @"class MyClass { private readonly string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(29746, "https://github.com/dotnet/roslyn/issues/29746")] public async Task FieldReadInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s.ToUpper(); } }", @"class MyClass { private readonly string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s.ToUpper(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInProperty() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; int Goo { get { return _goo; } set { _goo = value; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; int Goo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInNestedTypeConstructor() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; class Derived : MyClass { Derived() { _goo = 1; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInNestedTypeMethod() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; class Derived : MyClass { void Method() { _goo = 1; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldInNestedTypeAssignedInConstructor() { await TestInRegularAndScript1Async( @"class MyClass { class NestedType { private int [|_goo|]; public NestedType() { _goo = 0; } } }", @"class MyClass { class NestedType { private readonly int _goo; public NestedType() { _goo = 0; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task VariableAssignedToFieldInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; int Goo() { var i = _goo; } }", @"class MyClass { private readonly int _goo; int Goo() { var i = _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethodWithCompoundOperator() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { _goo += value; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedWithPostfixIncrement() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { _goo++; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedWithPrefixDecrement() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { --_goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass1() { await TestInRegularAndScript1Async( @"partial class MyClass { private int [|_goo|]; }", @"partial class MyClass { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass2() { await TestInRegularAndScript1Async( @"partial class MyClass { private int [|_goo|]; } partial class MyClass { }", @"partial class MyClass { private readonly int _goo; } partial class MyClass { }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass3() { await TestInRegularAndScript1Async( @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private int [|_goo|]; } </Document> <Document>partial class MyClass { void M() { } } </Document> </Project> </Workspace>", @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private readonly int _goo; } </Document> <Document>partial class MyClass { void M() { } } </Document> </Project> </Workspace>"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass1() { await TestMissingInRegularAndScriptAsync( @"partial class MyClass { private int [|_goo|]; void SetGoo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass2() { await TestMissingInRegularAndScriptAsync( @"partial class MyClass { private int [|_goo|]; } partial class MyClass { void SetGoo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass3() { await TestMissingInRegularAndScriptAsync( @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private int [|_goo|]; } </Document> <Document>partial class MyClass { void SetGoo() { _goo = 0; } } </Document> </Project> </Workspace>"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsParameter() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; void Goo() { Bar(_goo); } void Bar(int goo) { } }", @"class MyClass { private readonly int _goo; void Goo() { Bar(_goo); } void Bar(int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsOutParameter() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; void Goo() { int.TryParse(""123"", out _goo); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsRefParameter() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; void Goo() { Bar(ref _goo); } void Bar(ref int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef1() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal ref int Goo() { return ref _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef2() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal ref int Goo() => ref _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef3() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal struct Accessor { private MyClass _instance; internal ref int Goo => ref _instance._goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef4() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_a|]; private int _b; internal ref int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); await TestMissingInRegularAndScriptAsync( @"class MyClass { private int _a; private int [|_b|]; internal ref int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef5() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_a|]; private int _b; internal ref int Goo(bool first) => ref (first ? ref _a : ref _b); }"); await TestMissingInRegularAndScriptAsync( @"class MyClass { private int _a; private int [|_b|]; internal ref int Goo(bool first) => ref (first ? ref _a : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef6() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal int Goo() { return Local(); ref int Local() { return ref _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef7() { await TestMissingInRegularAndScriptAsync( @"class MyClass { delegate ref int D(); private int [|_goo|]; internal int Goo() { D d = () => ref _goo; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef8() { await TestMissingInRegularAndScriptAsync( @"class MyClass { delegate ref int D(); private int [|_goo|]; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly1() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal ref readonly int Goo() { return ref _goo; } }", @"class MyClass { private readonly int _goo; internal ref readonly int Goo() { return ref _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly2() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal ref readonly int Goo() => ref _goo; }", @"class MyClass { private readonly int _goo; internal ref readonly int Goo() => ref _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly3() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal struct Accessor { private MyClass _instance; internal ref readonly int Goo => ref _instance._goo; } }", @"class MyClass { private readonly int _goo; internal struct Accessor { private MyClass _instance; internal ref readonly int Goo => ref _instance._goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly4() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_a|]; private int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }", @"class MyClass { private readonly int _a; private int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); await TestInRegularAndScript1Async( @"class MyClass { private int _a; private int [|_b|]; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }", @"class MyClass { private int _a; private readonly int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly5() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_a|]; private int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }", @"class MyClass { private readonly int _a; private int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }"); await TestInRegularAndScript1Async( @"class MyClass { private int _a; private int [|_b|]; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }", @"class MyClass { private int _a; private readonly int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly6() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal int Goo() { return Local(); ref readonly int Local() { return ref _goo; } } }", @"class MyClass { private readonly int _goo; internal int Goo() { return Local(); ref readonly int Local() { return ref _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly7() { await TestInRegularAndScript1Async( @"class MyClass { delegate ref readonly int D(); private int [|_goo|]; internal int Goo() { D d = () => ref _goo; return d(); } }", @"class MyClass { delegate ref readonly int D(); private readonly int _goo; internal int Goo() { D d = () => ref _goo; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly8() { await TestInRegularAndScript1Async( @"class MyClass { delegate ref readonly int D(); private int [|_goo|]; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }", @"class MyClass { delegate ref readonly int D(); private readonly int _goo; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ConditionOfRefConditional1() { await TestInRegularAndScript1Async( @"class MyClass { private bool [|_a|]; private int _b; internal ref int Goo() { return ref (_a ? ref _b : ref _b); } }", @"class MyClass { private readonly bool _a; private int _b; internal ref int Goo() { return ref (_a ? ref _b : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ConditionOfRefConditional2() { await TestInRegularAndScript1Async( @"class MyClass { private bool [|_a|]; private int _b; internal ref int Goo() => ref (_a ? ref _b : ref _b); }", @"class MyClass { private readonly bool _a; private int _b; internal ref int Goo() => ref (_a ? ref _b : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsOutParameterInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { int.TryParse(""123"", out _goo); } }", @"class MyClass { private readonly int _goo; MyClass() { int.TryParse(""123"", out _goo); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsRefParameterInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { Bar(ref _goo); } void Bar(ref int goo) { } }", @"class MyClass { private readonly int _goo; MyClass() { Bar(ref _goo); } void Bar(ref int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task StaticFieldAssignedInStaticCtor() { await TestInRegularAndScript1Async( @"class MyClass { private static int [|_goo|]; static MyClass() { _goo = 0; } }", @"class MyClass { private static readonly int _goo; static MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task StaticFieldAssignedInNonStaticCtor() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private static int [|_goo|]; MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldTypeIsMutableStruct() { await TestMissingInRegularAndScriptAsync( @"struct MyStruct { private int _goo; } class MyClass { private MyStruct [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldTypeIsCustomImmutableStruct() { await TestInRegularAndScript1Async( @"struct MyStruct { private readonly int _goo; private const int _bar = 0; private static int _fizz; } class MyClass { private MyStruct [|_goo|]; }", @"struct MyStruct { private readonly int _goo; private const int _bar = 0; private static int _fizz; } class MyClass { private readonly MyStruct _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FixAll() { await TestInRegularAndScript1Async( @"class MyClass { private int {|FixAllInDocument:_goo|} = 0, _bar = 0; private int _x = 0, _y = 0, _z = 0; private int _fizz = 0; void Method() { _z = 1; } }", @"class MyClass { private readonly int _goo = 0, _bar = 0; private readonly int _x = 0; private readonly int _y = 0; private int _z = 0; private readonly int _fizz = 0; void Method() { _z = 1; } }"); } [Fact] [Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FixAll2() { await TestInRegularAndScript1Async( @" using System; partial struct MyClass { private static Func<int, bool> {|FixAllInDocument:_test1|} = x => x > 0; private static Func<int, bool> _test2 = x => x < 0; private static Func<int, bool> _test3 = x => { return x == 0; }; private static Func<int, bool> _test4 = x => { return x != 0; }; } partial struct MyClass { }", @" using System; partial struct MyClass { private static readonly Func<int, bool> _test1 = x => x > 0; private static readonly Func<int, bool> _test2 = x => x < 0; private static readonly Func<int, bool> _test3 = x => { return x == 0; }; private static readonly Func<int, bool> _test4 = x => { return x != 0; }; } partial struct MyClass { }"); } [WorkItem(26262, "https://github.com/dotnet/roslyn/issues/26262")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_InParens() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { (_goo) = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { (_goo) = 0; } }"); } [WorkItem(26262, "https://github.com/dotnet/roslyn/issues/26262")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_QualifiedWithThis_InParens() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { (this._goo) = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { (this._goo) = 0; } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { (i, j) = (1, 2); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction_InParens() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { ((i, j), j) = ((1, 2), 3); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction_WithThis_InParens() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { ((this.i, j), j) = (1, 2); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedInTupleExpressionOnRight() { await TestInRegularAndScript1Async( @"class C { [|int i;|] int j; void M() { (j, j) = (i, i); } }", @"class C { readonly int i; int j; void M() { (j, j) = (i, i); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldInTypeWithGeneratedCode() { await TestInRegularAndScript1Async( @"class C { [|private int i;|] [System.CodeDom.Compiler.GeneratedCodeAttribute("""", """")] private int j; void M() { } }", @"class C { private readonly int i; [System.CodeDom.Compiler.GeneratedCodeAttribute("""", """")] private int j; void M() { } }"); } [WorkItem(26364, "https://github.com/dotnet/roslyn/issues/26364")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsFixed() { await TestMissingInRegularAndScriptAsync( @"unsafe struct S { [|private fixed byte b[8];|] }"); } [WorkItem(38995, "https://github.com/dotnet/roslyn/issues/38995")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedToLocalRef() { await TestMissingAsync( @" class Program { [|int i;|] void M() { ref var value = ref i; value += 1; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedToLocalReadOnlyRef() { await TestInRegularAndScript1Async( @" class Program { [|int i;|] void M() { ref readonly var value = ref i; } }", @" class Program { [|readonly int i;|] void M() { ref readonly var value = ref i; } }"); } [WorkItem(26213, "https://github.com/dotnet/roslyn/issues/26213")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestFieldAccessesOnLeftOfDot() { await TestInRegularAndScript1Async( @"interface IFaceServiceClient { void DetectAsync(); } public class Repro { private static IFaceServiceClient [|faceServiceClient|] = null; public static void Run() { faceServiceClient.DetectAsync(); } }", @"interface IFaceServiceClient { void DetectAsync(); } public class Repro { private static readonly IFaceServiceClient faceServiceClient = null; public static void Run() { faceServiceClient.DetectAsync(); } }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField1() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object [|first|]; }", @"class TestClass { private readonly object first; }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField2() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object [|first|], second; }", @"class TestClass { private readonly object first; private volatile object second; }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField3() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object first, [|second|]; }", @"class TestClass { private volatile object first; private readonly object second; }"); } [WorkItem(46785, "https://github.com/dotnet/roslyn/issues/46785")] [Fact(Skip = "https://github.com/dotnet/roslyn/issues/46785"), Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task UsedAsRef_NoDiagnostic() { await TestMissingInRegularAndScriptAsync( @"public class C { private string [|_x|] = string.Empty; public bool M() { ref var myVar = ref x; return myVar is null; } }"); } [WorkItem(42760, "https://github.com/dotnet/roslyn/issues/42760")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task WithThreadStaticAttribute_NoDiagnostic() { await TestMissingInRegularAndScriptAsync( @"using System; class Program { [ThreadStatic] private static object [|t_obj|]; }"); } [WorkItem(50925, "https://github.com/dotnet/roslyn/issues/50925")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task Test_MemberUsedInGeneratedCode() { await TestMissingInRegularAndScriptAsync( @"<Workspace> <Project Language = ""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document FilePath = ""z:\\File1.cs""> public sealed partial class Test { private int [|_value|]; public static void M() => _ = new Test { Value = 1 }; } </Document> <Document FilePath = ""z:\\File2.g.cs""> using System.CodeDom.Compiler; [GeneratedCode(null, null)] public sealed partial class Test { public int Value { get => _value; set => _value = value; } } </Document> </Project> </Workspace>"); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.CodeFixes; using Microsoft.CodeAnalysis.CSharp.MakeFieldReadonly; using Microsoft.CodeAnalysis.Diagnostics; using Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Diagnostics; using Microsoft.CodeAnalysis.MakeFieldReadonly; using Microsoft.CodeAnalysis.Test.Utilities; using Roslyn.Test.Utilities; using Xunit; using Xunit.Abstractions; namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.MakeFieldReadonly { public class MakeFieldReadonlyTests : AbstractCSharpDiagnosticProviderBasedUserDiagnosticTest { public MakeFieldReadonlyTests(ITestOutputHelper logger) : base(logger) { } internal override (DiagnosticAnalyzer, CodeFixProvider) CreateDiagnosticProviderAndFixer(Workspace workspace) => (new MakeFieldReadonlyDiagnosticAnalyzer(), new CSharpMakeFieldReadonlyCodeFixProvider()); [Theory, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [InlineData("public")] [InlineData("internal")] [InlineData("protected")] [InlineData("protected internal")] [InlineData("private protected")] public async Task NonPrivateField(string accessibility) { await TestMissingInRegularAndScriptAsync( $@"class MyClass {{ {accessibility} int[| _goo |]; }}"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsEvent() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private event System.EventHandler [|Goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsReadonly() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private readonly int [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsConst() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private const int [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldNotAssigned() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; }", @"class MyClass { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldNotAssigned_Struct() { await TestInRegularAndScript1Async( @"struct MyStruct { private int [|_goo|]; }", @"struct MyStruct { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInline() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|] = 0; }", @"class MyClass { private readonly int _goo = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_AllCanBeReadonly() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|] = 0, _bar = 0; }", @"class MyClass { private readonly int _goo = 0; private int _bar = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task ThreeFieldsAssignedInline_AllCanBeReadonly_SeparatesAllAndKeepsThemInOrder() { await TestInRegularAndScript1Async( @"class MyClass { private int _goo = 0, [|_bar|] = 0, _fizz = 0; }", @"class MyClass { private int _goo = 0; private readonly int _bar = 0; private int _fizz = 0; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_OneIsAssignedInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private int _goo = 0, [|_bar|] = 0; Goo() { _goo = 0; } }", @"class MyClass { private int _goo = 0; private readonly int _bar = 0; Goo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task MultipleFieldsAssignedInline_NoInitializer() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|], _bar = 0; }", @"class MyClass { private readonly int _goo; private int _bar = 0; }"); } [Theory, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [InlineData("")] [InlineData("\r\n")] [InlineData("\r\n\r\n")] public async Task MultipleFieldsAssignedInline_LeadingCommentAndWhitespace(string leadingTrvia) { await TestInRegularAndScript1Async( $@"class MyClass {{ //Comment{leadingTrvia} private int _goo = 0, [|_bar|] = 0; }}", $@"class MyClass {{ //Comment{leadingTrvia} private int _goo = 0; private readonly int _bar = 0; }}"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { _goo = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInSimpleLambdaInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E = x => this._goo = 0; } public Action<int> E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLambdaInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E += (_, __) => this._goo = 0; } public event EventHandler E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLambdaWithBlockInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E += (_, __) => { this._goo = 0; } } public event EventHandler E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInAnonymousFunctionInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { this.E = delegate { this._goo = 0; }; } public Action<int> E; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLocalFunctionExpressionBodyInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { void LocalFunction() => this._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInLocalFunctionBlockBodyInCtor() { await TestMissingInRegularAndScriptAsync( @"public class MyClass { private int [|_goo|]; public MyClass() { void LocalFunction() { this._goo = 0; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_DifferentInstance() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; MyClass() { var goo = new MyClass(); goo._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_DifferentInstance_ObjectInitializer() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; MyClass() { var goo = new MyClass { _goo = 0 }; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_QualifiedWithThis() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { this._goo = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { this._goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldReturnedInProperty() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; int Goo { get { return _goo; } } }", @"class MyClass { private readonly int _goo; int Goo { get { return _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(29746, "https://github.com/dotnet/roslyn/issues/29746")] public async Task FieldReturnedInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s; } }", @"class MyClass { private readonly string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(29746, "https://github.com/dotnet/roslyn/issues/29746")] public async Task FieldReadInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s.ToUpper(); } }", @"class MyClass { private readonly string [|_s|]; public MyClass(string s) => _s = s; public string Method() { return _s.ToUpper(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInProperty() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; int Goo { get { return _goo; } set { _goo = value; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; int Goo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInNestedTypeConstructor() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; class Derived : MyClass { Derived() { _goo = 1; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInNestedTypeMethod() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; class Derived : MyClass { void Method() { _goo = 1; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldInNestedTypeAssignedInConstructor() { await TestInRegularAndScript1Async( @"class MyClass { class NestedType { private int [|_goo|]; public NestedType() { _goo = 0; } } }", @"class MyClass { class NestedType { private readonly int _goo; public NestedType() { _goo = 0; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task VariableAssignedToFieldInMethod() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; int Goo() { var i = _goo; } }", @"class MyClass { private readonly int _goo; int Goo() { var i = _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethodWithCompoundOperator() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { _goo += value; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedWithPostfixIncrement() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { _goo++; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedWithPrefixDecrement() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|] = 0; int Goo(int value) { --_goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass1() { await TestInRegularAndScript1Async( @"partial class MyClass { private int [|_goo|]; }", @"partial class MyClass { private readonly int _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass2() { await TestInRegularAndScript1Async( @"partial class MyClass { private int [|_goo|]; } partial class MyClass { }", @"partial class MyClass { private readonly int _goo; } partial class MyClass { }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task NotAssignedInPartialClass3() { await TestInRegularAndScript1Async( @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private int [|_goo|]; } </Document> <Document>partial class MyClass { void M() { } } </Document> </Project> </Workspace>", @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private readonly int _goo; } </Document> <Document>partial class MyClass { void M() { } } </Document> </Project> </Workspace>"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass1() { await TestMissingInRegularAndScriptAsync( @"partial class MyClass { private int [|_goo|]; void SetGoo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass2() { await TestMissingInRegularAndScriptAsync( @"partial class MyClass { private int [|_goo|]; } partial class MyClass { void SetGoo() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task AssignedInPartialClass3() { await TestMissingInRegularAndScriptAsync( @" <Workspace> <Project Language=""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document>partial class MyClass { private int [|_goo|]; } </Document> <Document>partial class MyClass { void SetGoo() { _goo = 0; } } </Document> </Project> </Workspace>"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsParameter() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; void Goo() { Bar(_goo); } void Bar(int goo) { } }", @"class MyClass { private readonly int _goo; void Goo() { Bar(_goo); } void Bar(int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsOutParameter() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; void Goo() { int.TryParse(""123"", out _goo); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsRefParameter() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; void Goo() { Bar(ref _goo); } void Bar(ref int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef1() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal ref int Goo() { return ref _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef2() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal ref int Goo() => ref _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef3() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal struct Accessor { private MyClass _instance; internal ref int Goo => ref _instance._goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef4() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_a|]; private int _b; internal ref int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); await TestMissingInRegularAndScriptAsync( @"class MyClass { private int _a; private int [|_b|]; internal ref int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef5() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_a|]; private int _b; internal ref int Goo(bool first) => ref (first ? ref _a : ref _b); }"); await TestMissingInRegularAndScriptAsync( @"class MyClass { private int _a; private int [|_b|]; internal ref int Goo(bool first) => ref (first ? ref _a : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef6() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private int [|_goo|]; internal int Goo() { return Local(); ref int Local() { return ref _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef7() { await TestMissingInRegularAndScriptAsync( @"class MyClass { delegate ref int D(); private int [|_goo|]; internal int Goo() { D d = () => ref _goo; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRef8() { await TestMissingInRegularAndScriptAsync( @"class MyClass { delegate ref int D(); private int [|_goo|]; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly1() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal ref readonly int Goo() { return ref _goo; } }", @"class MyClass { private readonly int _goo; internal ref readonly int Goo() { return ref _goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly2() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal ref readonly int Goo() => ref _goo; }", @"class MyClass { private readonly int _goo; internal ref readonly int Goo() => ref _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly3() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal struct Accessor { private MyClass _instance; internal ref readonly int Goo => ref _instance._goo; } }", @"class MyClass { private readonly int _goo; internal struct Accessor { private MyClass _instance; internal ref readonly int Goo => ref _instance._goo; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly4() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_a|]; private int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }", @"class MyClass { private readonly int _a; private int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); await TestInRegularAndScript1Async( @"class MyClass { private int _a; private int [|_b|]; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }", @"class MyClass { private int _a; private readonly int _b; internal ref readonly int Goo(bool first) { return ref (first ? ref _a : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly5() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_a|]; private int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }", @"class MyClass { private readonly int _a; private int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }"); await TestInRegularAndScript1Async( @"class MyClass { private int _a; private int [|_b|]; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }", @"class MyClass { private int _a; private readonly int _b; internal ref readonly int Goo(bool first) => ref (first ? ref _a : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly6() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; internal int Goo() { return Local(); ref readonly int Local() { return ref _goo; } } }", @"class MyClass { private readonly int _goo; internal int Goo() { return Local(); ref readonly int Local() { return ref _goo; } } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly7() { await TestInRegularAndScript1Async( @"class MyClass { delegate ref readonly int D(); private int [|_goo|]; internal int Goo() { D d = () => ref _goo; return d(); } }", @"class MyClass { delegate ref readonly int D(); private readonly int _goo; internal int Goo() { D d = () => ref _goo; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ReturnedByRefReadonly8() { await TestInRegularAndScript1Async( @"class MyClass { delegate ref readonly int D(); private int [|_goo|]; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }", @"class MyClass { delegate ref readonly int D(); private readonly int _goo; internal int Goo() { D d = delegate { return ref _goo; }; return d(); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ConditionOfRefConditional1() { await TestInRegularAndScript1Async( @"class MyClass { private bool [|_a|]; private int _b; internal ref int Goo() { return ref (_a ? ref _b : ref _b); } }", @"class MyClass { private readonly bool _a; private int _b; internal ref int Goo() { return ref (_a ? ref _b : ref _b); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] [WorkItem(33009, "https://github.com/dotnet/roslyn/issues/33009")] public async Task ConditionOfRefConditional2() { await TestInRegularAndScript1Async( @"class MyClass { private bool [|_a|]; private int _b; internal ref int Goo() => ref (_a ? ref _b : ref _b); }", @"class MyClass { private readonly bool _a; private int _b; internal ref int Goo() => ref (_a ? ref _b : ref _b); }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsOutParameterInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { int.TryParse(""123"", out _goo); } }", @"class MyClass { private readonly int _goo; MyClass() { int.TryParse(""123"", out _goo); } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task PassedAsRefParameterInCtor() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { Bar(ref _goo); } void Bar(ref int goo) { } }", @"class MyClass { private readonly int _goo; MyClass() { Bar(ref _goo); } void Bar(ref int goo) { } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task StaticFieldAssignedInStaticCtor() { await TestInRegularAndScript1Async( @"class MyClass { private static int [|_goo|]; static MyClass() { _goo = 0; } }", @"class MyClass { private static readonly int _goo; static MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task StaticFieldAssignedInNonStaticCtor() { await TestMissingInRegularAndScriptAsync( @"class MyClass { private static int [|_goo|]; MyClass() { _goo = 0; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldTypeIsMutableStruct() { await TestMissingInRegularAndScriptAsync( @"struct MyStruct { private int _goo; } class MyClass { private MyStruct [|_goo|]; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldTypeIsCustomImmutableStruct() { await TestInRegularAndScript1Async( @"struct MyStruct { private readonly int _goo; private const int _bar = 0; private static int _fizz; } class MyClass { private MyStruct [|_goo|]; }", @"struct MyStruct { private readonly int _goo; private const int _bar = 0; private static int _fizz; } class MyClass { private readonly MyStruct _goo; }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FixAll() { await TestInRegularAndScript1Async( @"class MyClass { private int {|FixAllInDocument:_goo|} = 0, _bar = 0; private int _x = 0, _y = 0, _z = 0; private int _fizz = 0; void Method() { _z = 1; } }", @"class MyClass { private readonly int _goo = 0, _bar = 0; private readonly int _x = 0; private readonly int _y = 0; private int _z = 0; private readonly int _fizz = 0; void Method() { _z = 1; } }"); } [Fact] [Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FixAll2() { await TestInRegularAndScript1Async( @" using System; partial struct MyClass { private static Func<int, bool> {|FixAllInDocument:_test1|} = x => x > 0; private static Func<int, bool> _test2 = x => x < 0; private static Func<int, bool> _test3 = x => { return x == 0; }; private static Func<int, bool> _test4 = x => { return x != 0; }; } partial struct MyClass { }", @" using System; partial struct MyClass { private static readonly Func<int, bool> _test1 = x => x > 0; private static readonly Func<int, bool> _test2 = x => x < 0; private static readonly Func<int, bool> _test3 = x => { return x == 0; }; private static readonly Func<int, bool> _test4 = x => { return x != 0; }; } partial struct MyClass { }"); } [WorkItem(26262, "https://github.com/dotnet/roslyn/issues/26262")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_InParens() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { (_goo) = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { (_goo) = 0; } }"); } [WorkItem(26262, "https://github.com/dotnet/roslyn/issues/26262")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInCtor_QualifiedWithThis_InParens() { await TestInRegularAndScript1Async( @"class MyClass { private int [|_goo|]; MyClass() { (this._goo) = 0; } }", @"class MyClass { private readonly int _goo; MyClass() { (this._goo) = 0; } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { (i, j) = (1, 2); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction_InParens() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { ((i, j), j) = ((1, 2), 3); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedInMethod_InDeconstruction_WithThis_InParens() { await TestMissingAsync( @"class C { [|int i;|] int j; void M() { ((this.i, j), j) = (1, 2); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldUsedInTupleExpressionOnRight() { await TestInRegularAndScript1Async( @"class C { [|int i;|] int j; void M() { (j, j) = (i, i); } }", @"class C { readonly int i; int j; void M() { (j, j) = (i, i); } }"); } [WorkItem(26264, "https://github.com/dotnet/roslyn/issues/26264")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldInTypeWithGeneratedCode() { await TestInRegularAndScript1Async( @"class C { [|private int i;|] [System.CodeDom.Compiler.GeneratedCodeAttribute("""", """")] private int j; void M() { } }", @"class C { private readonly int i; [System.CodeDom.Compiler.GeneratedCodeAttribute("""", """")] private int j; void M() { } }"); } [WorkItem(26364, "https://github.com/dotnet/roslyn/issues/26364")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldIsFixed() { await TestMissingInRegularAndScriptAsync( @"unsafe struct S { [|private fixed byte b[8];|] }"); } [WorkItem(38995, "https://github.com/dotnet/roslyn/issues/38995")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedToLocalRef() { await TestMissingAsync( @" class Program { [|int i;|] void M() { ref var value = ref i; value += 1; } }"); } [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task FieldAssignedToLocalReadOnlyRef() { await TestInRegularAndScript1Async( @" class Program { [|int i;|] void M() { ref readonly var value = ref i; } }", @" class Program { [|readonly int i;|] void M() { ref readonly var value = ref i; } }"); } [WorkItem(26213, "https://github.com/dotnet/roslyn/issues/26213")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestFieldAccessesOnLeftOfDot() { await TestInRegularAndScript1Async( @"interface IFaceServiceClient { void DetectAsync(); } public class Repro { private static IFaceServiceClient [|faceServiceClient|] = null; public static void Run() { faceServiceClient.DetectAsync(); } }", @"interface IFaceServiceClient { void DetectAsync(); } public class Repro { private static readonly IFaceServiceClient faceServiceClient = null; public static void Run() { faceServiceClient.DetectAsync(); } }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField1() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object [|first|]; }", @"class TestClass { private readonly object first; }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField2() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object [|first|], second; }", @"class TestClass { private readonly object first; private volatile object second; }"); } [WorkItem(42759, "https://github.com/dotnet/roslyn/issues/42759")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task TestVolatileField3() { await TestInRegularAndScript1Async( @"class TestClass { private volatile object first, [|second|]; }", @"class TestClass { private volatile object first; private readonly object second; }"); } [WorkItem(46785, "https://github.com/dotnet/roslyn/issues/46785")] [Fact(Skip = "https://github.com/dotnet/roslyn/issues/46785"), Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task UsedAsRef_NoDiagnostic() { await TestMissingInRegularAndScriptAsync( @"public class C { private string [|_x|] = string.Empty; public bool M() { ref var myVar = ref x; return myVar is null; } }"); } [WorkItem(42760, "https://github.com/dotnet/roslyn/issues/42760")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task WithThreadStaticAttribute_NoDiagnostic() { await TestMissingInRegularAndScriptAsync( @"using System; class Program { [ThreadStatic] private static object [|t_obj|]; }"); } [WorkItem(50925, "https://github.com/dotnet/roslyn/issues/50925")] [Fact, Trait(Traits.Feature, Traits.Features.CodeActionsMakeFieldReadonly)] public async Task Test_MemberUsedInGeneratedCode() { await TestMissingInRegularAndScriptAsync( @"<Workspace> <Project Language = ""C#"" AssemblyName=""Assembly1"" CommonReferences=""true""> <Document FilePath = ""z:\\File1.cs""> public sealed partial class Test { private int [|_value|]; public static void M() => _ = new Test { Value = 1 }; } </Document> <Document FilePath = ""z:\\File2.g.cs""> using System.CodeDom.Compiler; [GeneratedCode(null, null)] public sealed partial class Test { public int Value { get => _value; set => _value = value; } } </Document> </Project> </Workspace>"); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/Core/Implementation/CommentSelection/CommentSelectionResult.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.Editor.Implementation.CommentSelection { internal readonly struct CommentSelectionResult { /// <summary> /// Text changes to make for this operation. /// </summary> public ImmutableArray<TextChange> TextChanges { get; } /// <summary> /// Tracking spans used to format and set the output selection after edits. /// </summary> public ImmutableArray<CommentTrackingSpan> TrackingSpans { get; } /// <summary> /// The type of text changes being made. /// This is known beforehand in some cases (comment selection) /// and determined after as a result in others (toggle comment). /// </summary> public Operation ResultOperation { get; } public CommentSelectionResult(IEnumerable<TextChange> textChanges, IEnumerable<CommentTrackingSpan> trackingSpans, Operation resultOperation) { TextChanges = textChanges.ToImmutableArray(); TrackingSpans = trackingSpans.ToImmutableArray(); ResultOperation = resultOperation; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Collections.Immutable; using Microsoft.CodeAnalysis.Text; namespace Microsoft.CodeAnalysis.Editor.Implementation.CommentSelection { internal readonly struct CommentSelectionResult { /// <summary> /// Text changes to make for this operation. /// </summary> public ImmutableArray<TextChange> TextChanges { get; } /// <summary> /// Tracking spans used to format and set the output selection after edits. /// </summary> public ImmutableArray<CommentTrackingSpan> TrackingSpans { get; } /// <summary> /// The type of text changes being made. /// This is known beforehand in some cases (comment selection) /// and determined after as a result in others (toggle comment). /// </summary> public Operation ResultOperation { get; } public CommentSelectionResult(IEnumerable<TextChange> textChanges, IEnumerable<CommentTrackingSpan> trackingSpans, Operation resultOperation) { TextChanges = textChanges.ToImmutableArray(); TrackingSpans = trackingSpans.ToImmutableArray(); ResultOperation = resultOperation; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Tools/IdeCoreBenchmarks/Program.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.IO; using System.Linq; using System.Runtime.CompilerServices; using BenchmarkDotNet.Configs; using BenchmarkDotNet.Diagnosers; using BenchmarkDotNet.Running; using BenchmarkDotNet.Validators; namespace IdeCoreBenchmarks { internal class Program { private class IgnoreReleaseOnly : ManualConfig { public IgnoreReleaseOnly() { AddValidator(JitOptimizationsValidator.DontFailOnError); AddLogger(DefaultConfig.Instance.GetLoggers().ToArray()); AddExporter(DefaultConfig.Instance.GetExporters().ToArray()); AddColumnProvider(DefaultConfig.Instance.GetColumnProviders().ToArray()); AddDiagnoser(MemoryDiagnoser.Default); } } public const string RoslynRootPathEnvVariableName = "ROSLYN_SOURCE_ROOT_PATH"; public static string GetRoslynRootLocation([CallerFilePath] string sourceFilePath = "") { //This file is located at [Roslyn]\src\Tools\IdeCoreBenchmarks\Program.cs return Path.Combine(Path.GetDirectoryName(sourceFilePath), @"..\..\.."); } private static void Main(string[] args) { Environment.SetEnvironmentVariable(RoslynRootPathEnvVariableName, GetRoslynRootLocation()); new BenchmarkSwitcher(typeof(Program).Assembly).Run(args); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.IO; using System.Linq; using System.Runtime.CompilerServices; using BenchmarkDotNet.Configs; using BenchmarkDotNet.Diagnosers; using BenchmarkDotNet.Running; using BenchmarkDotNet.Validators; namespace IdeCoreBenchmarks { internal class Program { private class IgnoreReleaseOnly : ManualConfig { public IgnoreReleaseOnly() { AddValidator(JitOptimizationsValidator.DontFailOnError); AddLogger(DefaultConfig.Instance.GetLoggers().ToArray()); AddExporter(DefaultConfig.Instance.GetExporters().ToArray()); AddColumnProvider(DefaultConfig.Instance.GetColumnProviders().ToArray()); AddDiagnoser(MemoryDiagnoser.Default); } } public const string RoslynRootPathEnvVariableName = "ROSLYN_SOURCE_ROOT_PATH"; public static string GetRoslynRootLocation([CallerFilePath] string sourceFilePath = "") { //This file is located at [Roslyn]\src\Tools\IdeCoreBenchmarks\Program.cs return Path.Combine(Path.GetDirectoryName(sourceFilePath), @"..\..\.."); } private static void Main(string[] args) { Environment.SetEnvironmentVariable(RoslynRootPathEnvVariableName, GetRoslynRootLocation()); new BenchmarkSwitcher(typeof(Program).Assembly).Run(args); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Core/Portable/Syntax/SyntaxList.WithManyChildren.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; namespace Microsoft.CodeAnalysis.Syntax { internal partial class SyntaxList { internal class WithManyChildren : SyntaxList { private readonly ArrayElement<SyntaxNode?>[] _children; internal WithManyChildren(InternalSyntax.SyntaxList green, SyntaxNode? parent, int position) : base(green, parent, position) { _children = new ArrayElement<SyntaxNode?>[green.SlotCount]; } internal override SyntaxNode? GetNodeSlot(int index) { return this.GetRedElement(ref _children[index].Value, index); } internal override SyntaxNode? GetCachedSlot(int index) { return _children[index]; } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. using System; namespace Microsoft.CodeAnalysis.Syntax { internal partial class SyntaxList { internal class WithManyChildren : SyntaxList { private readonly ArrayElement<SyntaxNode?>[] _children; internal WithManyChildren(InternalSyntax.SyntaxList green, SyntaxNode? parent, int position) : base(green, parent, position) { _children = new ArrayElement<SyntaxNode?>[green.SlotCount]; } internal override SyntaxNode? GetNodeSlot(int index) { return this.GetRedElement(ref _children[index].Value, index); } internal override SyntaxNode? GetCachedSlot(int index) { return _children[index]; } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/Core.Wpf/Adornments/AbstractAdornmentManager.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Linq; using System.Threading; using System.Windows.Threading; using Microsoft.CodeAnalysis.Editor.Shared.Utilities; using Microsoft.CodeAnalysis.Internal.Log; using Microsoft.CodeAnalysis.Shared.TestHooks; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Editor; using Microsoft.VisualStudio.Text.Tagging; using Microsoft.VisualStudio.Threading; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.Editor.Implementation.Adornments { /// <summary> /// UI manager for graphic overlay tags. These tags will simply paint something related to the text. /// </summary> internal abstract class AbstractAdornmentManager<T> where T : GraphicsTag { private readonly object _invalidatedSpansLock = new(); private readonly IThreadingContext _threadingContext; /// <summary>Notification system about operations we do</summary> private readonly IAsynchronousOperationListener _asyncListener; /// <summary>Spans that are invalidated, and need to be removed from the layer..</summary> private List<IMappingSpan> _invalidatedSpans; /// <summary>View that created us.</summary> protected readonly IWpfTextView TextView; /// <summary>Layer where we draw adornments.</summary> protected readonly IAdornmentLayer AdornmentLayer; /// <summary>Aggregator that tells us where to draw.</summary> protected readonly ITagAggregator<T> TagAggregator; /// <summary> /// MUST BE CALLED ON UI THREAD!!!! This method touches WPF. /// /// This is where we apply visuals to the text. /// /// It happens when another region of the view becomes visible or there is a change in tags. /// For us the end result is the same - get tags from tagger and update visuals correspondingly. /// </summary> protected abstract void AddAdornmentsToAdornmentLayer_CallOnlyOnUIThread(NormalizedSnapshotSpanCollection changedSpanCollection); internal AbstractAdornmentManager( IThreadingContext threadingContext, IWpfTextView textView, IViewTagAggregatorFactoryService tagAggregatorFactoryService, IAsynchronousOperationListener asyncListener, string adornmentLayerName) { Contract.ThrowIfNull(threadingContext); Contract.ThrowIfNull(textView); Contract.ThrowIfNull(tagAggregatorFactoryService); Contract.ThrowIfNull(adornmentLayerName); Contract.ThrowIfNull(asyncListener); _threadingContext = threadingContext; TextView = textView; AdornmentLayer = textView.GetAdornmentLayer(adornmentLayerName); textView.LayoutChanged += OnLayoutChanged; _asyncListener = asyncListener; // If we are not on the UI thread, we are at race with Close, but we should be on UI thread Contract.ThrowIfFalse(textView.VisualElement.Dispatcher.CheckAccess()); textView.Closed += OnTextViewClosed; TagAggregator = tagAggregatorFactoryService.CreateTagAggregator<T>(textView); TagAggregator.TagsChanged += OnTagsChanged; } private void OnTextViewClosed(object sender, System.EventArgs e) { // release the aggregator TagAggregator.TagsChanged -= OnTagsChanged; TagAggregator.Dispose(); // unhook from view TextView.Closed -= OnTextViewClosed; TextView.LayoutChanged -= OnLayoutChanged; // At this point, this object should be available for garbage collection. } /// <summary> /// This handler gets called whenever there is a visual change in the view. /// Example: edit or a scroll. /// </summary> private void OnLayoutChanged(object sender, TextViewLayoutChangedEventArgs e) { using (Logger.LogBlock(FunctionId.Tagger_AdornmentManager_OnLayoutChanged, CancellationToken.None)) using (_asyncListener.BeginAsyncOperation(GetType() + ".OnLayoutChanged")) { // Make sure we're on the UI thread. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); var reformattedSpans = e.NewOrReformattedSpans; var viewSnapshot = TextView.TextSnapshot; // No need to remove tags as these spans are reformatted anyways. UpdateSpans_CallOnlyOnUIThread(reformattedSpans, removeOldTags: false); // Compute any spans that had been invalidated but were not affected by layout. List<IMappingSpan> invalidated; lock (_invalidatedSpansLock) { invalidated = _invalidatedSpans; _invalidatedSpans = null; } if (invalidated != null) { var invalidatedAndNormalized = TranslateAndNormalize(invalidated, viewSnapshot); var invalidatedButNotReformatted = NormalizedSnapshotSpanCollection.Difference( invalidatedAndNormalized, e.NewOrReformattedSpans); UpdateSpans_CallOnlyOnUIThread(invalidatedButNotReformatted, removeOldTags: true); } } } private static NormalizedSnapshotSpanCollection TranslateAndNormalize( IEnumerable<IMappingSpan> spans, ITextSnapshot targetSnapshot) { Contract.ThrowIfNull(spans); var translated = spans.SelectMany(span => span.GetSpans(targetSnapshot)); return new NormalizedSnapshotSpanCollection(translated); } /// <summary> /// This handler is called when tag aggregator notifies us about tag changes. /// </summary> private void OnTagsChanged(object sender, TagsChangedEventArgs e) { using (_asyncListener.BeginAsyncOperation(GetType().Name + ".OnTagsChanged.1")) { var changedSpan = e.Span; if (changedSpan == null) { return; // nothing changed } var needToScheduleUpdate = false; lock (_invalidatedSpansLock) { if (_invalidatedSpans == null) { // set invalidated spans _invalidatedSpans = new List<IMappingSpan> { changedSpan }; needToScheduleUpdate = true; } else { // add to existing invalidated spans _invalidatedSpans.Add(changedSpan); } } if (needToScheduleUpdate) { // schedule an update _threadingContext.JoinableTaskFactory.WithPriority(TextView.VisualElement.Dispatcher, DispatcherPriority.Render).RunAsync(async () => { using (_asyncListener.BeginAsyncOperation(GetType() + ".OnTagsChanged.2")) { await _threadingContext.JoinableTaskFactory.SwitchToMainThreadAsync(alwaysYield: true); UpdateInvalidSpans(); } }); } } } /// <summary> /// MUST BE CALLED ON UI THREAD!!!! This method touches WPF. /// /// This function is used to update invalidates spans. /// </summary> protected void UpdateInvalidSpans() { using (_asyncListener.BeginAsyncOperation(GetType().Name + ".UpdateInvalidSpans.1")) using (Logger.LogBlock(FunctionId.Tagger_AdornmentManager_UpdateInvalidSpans, CancellationToken.None)) { // this method should only run on UI thread as we do WPF here. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); List<IMappingSpan> invalidated; lock (_invalidatedSpansLock) { invalidated = _invalidatedSpans; _invalidatedSpans = null; } if (TextView.IsClosed) { return; // already closed } if (invalidated != null) { var viewSnapshot = TextView.TextSnapshot; var invalidatedNormalized = TranslateAndNormalize(invalidated, viewSnapshot); UpdateSpans_CallOnlyOnUIThread(invalidatedNormalized, removeOldTags: true); } } } protected void UpdateSpans_CallOnlyOnUIThread(NormalizedSnapshotSpanCollection changedSpanCollection, bool removeOldTags) { Contract.ThrowIfNull(changedSpanCollection); // this method should only run on UI thread as we do WPF here. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); var viewLines = TextView.TextViewLines; if (viewLines == null || viewLines.Count == 0) { return; // nothing to draw on } // removing is a separate pass from adding so that new stuff is not removed. if (removeOldTags) { foreach (var changedSpan in changedSpanCollection) { // is there any effect on the view? if (viewLines.IntersectsBufferSpan(changedSpan)) { AdornmentLayer.RemoveAdornmentsByVisualSpan(changedSpan); } } } AddAdornmentsToAdornmentLayer_CallOnlyOnUIThread(changedSpanCollection); } protected bool ShouldDrawTag(SnapshotSpan snapshotSpan, IMappingTagSpan<GraphicsTag> mappingTagSpan) { var mappedPoint = GetMappedPoint(snapshotSpan, mappingTagSpan); if (mappedPoint is null) { return false; } if (!TryMapToSingleSnapshotSpan(mappingTagSpan.Span, TextView.TextSnapshot, out var span)) { return false; } if (!TextView.TextViewLines.IntersectsBufferSpan(span)) { return false; } return true; } protected SnapshotPoint? GetMappedPoint(SnapshotSpan snapshotSpan, IMappingTagSpan<GraphicsTag> mappingTagSpan) { var point = mappingTagSpan.Span.Start.GetPoint(snapshotSpan.Snapshot, PositionAffinity.Predecessor); if (point == null) { return null; } var mappedPoint = TextView.BufferGraph.MapUpToSnapshot( point.Value, PointTrackingMode.Negative, PositionAffinity.Predecessor, TextView.VisualSnapshot); if (mappedPoint == null) { return null; } return mappedPoint; } // Map the mapping span to the visual snapshot. note that as a result of projection // topology, originally single span may be mapped into several spans. Visual adornments do // not make much sense on disjoint spans. We will not decorate spans that could not make it // in one piece. protected static bool TryMapToSingleSnapshotSpan(IMappingSpan mappingSpan, ITextSnapshot viewSnapshot, out SnapshotSpan span) { // IMappingSpan.GetSpans is a surprisingly expensive function that allocates multiple // lists and collection if the view buffer is same as anchor we could just map the // anchor to the viewSnapshot however, since the _anchor is not available, we have to // map start and end TODO: verify that affinity is correct. If it does not matter we // should use the cheapest. if (viewSnapshot != null && mappingSpan.AnchorBuffer == viewSnapshot.TextBuffer) { var mappedStart = mappingSpan.Start.GetPoint(viewSnapshot, PositionAffinity.Predecessor).Value; var mappedEnd = mappingSpan.End.GetPoint(viewSnapshot, PositionAffinity.Successor).Value; span = new SnapshotSpan(mappedStart, mappedEnd); return true; } // TODO: actually adornments do not make much sense on "cropped" spans either - Consider line separator on "nd Su" // is it possible to cheaply detect cropping? var spans = mappingSpan.GetSpans(viewSnapshot); if (spans.Count != 1) { span = default; return false; // span is unmapped or disjoint. } span = spans[0]; return true; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Generic; using System.Linq; using System.Threading; using System.Windows.Threading; using Microsoft.CodeAnalysis.Editor.Shared.Utilities; using Microsoft.CodeAnalysis.Internal.Log; using Microsoft.CodeAnalysis.Shared.TestHooks; using Microsoft.VisualStudio.Text; using Microsoft.VisualStudio.Text.Editor; using Microsoft.VisualStudio.Text.Tagging; using Microsoft.VisualStudio.Threading; using Roslyn.Utilities; namespace Microsoft.CodeAnalysis.Editor.Implementation.Adornments { /// <summary> /// UI manager for graphic overlay tags. These tags will simply paint something related to the text. /// </summary> internal abstract class AbstractAdornmentManager<T> where T : GraphicsTag { private readonly object _invalidatedSpansLock = new(); private readonly IThreadingContext _threadingContext; /// <summary>Notification system about operations we do</summary> private readonly IAsynchronousOperationListener _asyncListener; /// <summary>Spans that are invalidated, and need to be removed from the layer..</summary> private List<IMappingSpan> _invalidatedSpans; /// <summary>View that created us.</summary> protected readonly IWpfTextView TextView; /// <summary>Layer where we draw adornments.</summary> protected readonly IAdornmentLayer AdornmentLayer; /// <summary>Aggregator that tells us where to draw.</summary> protected readonly ITagAggregator<T> TagAggregator; /// <summary> /// MUST BE CALLED ON UI THREAD!!!! This method touches WPF. /// /// This is where we apply visuals to the text. /// /// It happens when another region of the view becomes visible or there is a change in tags. /// For us the end result is the same - get tags from tagger and update visuals correspondingly. /// </summary> protected abstract void AddAdornmentsToAdornmentLayer_CallOnlyOnUIThread(NormalizedSnapshotSpanCollection changedSpanCollection); internal AbstractAdornmentManager( IThreadingContext threadingContext, IWpfTextView textView, IViewTagAggregatorFactoryService tagAggregatorFactoryService, IAsynchronousOperationListener asyncListener, string adornmentLayerName) { Contract.ThrowIfNull(threadingContext); Contract.ThrowIfNull(textView); Contract.ThrowIfNull(tagAggregatorFactoryService); Contract.ThrowIfNull(adornmentLayerName); Contract.ThrowIfNull(asyncListener); _threadingContext = threadingContext; TextView = textView; AdornmentLayer = textView.GetAdornmentLayer(adornmentLayerName); textView.LayoutChanged += OnLayoutChanged; _asyncListener = asyncListener; // If we are not on the UI thread, we are at race with Close, but we should be on UI thread Contract.ThrowIfFalse(textView.VisualElement.Dispatcher.CheckAccess()); textView.Closed += OnTextViewClosed; TagAggregator = tagAggregatorFactoryService.CreateTagAggregator<T>(textView); TagAggregator.TagsChanged += OnTagsChanged; } private void OnTextViewClosed(object sender, System.EventArgs e) { // release the aggregator TagAggregator.TagsChanged -= OnTagsChanged; TagAggregator.Dispose(); // unhook from view TextView.Closed -= OnTextViewClosed; TextView.LayoutChanged -= OnLayoutChanged; // At this point, this object should be available for garbage collection. } /// <summary> /// This handler gets called whenever there is a visual change in the view. /// Example: edit or a scroll. /// </summary> private void OnLayoutChanged(object sender, TextViewLayoutChangedEventArgs e) { using (Logger.LogBlock(FunctionId.Tagger_AdornmentManager_OnLayoutChanged, CancellationToken.None)) using (_asyncListener.BeginAsyncOperation(GetType() + ".OnLayoutChanged")) { // Make sure we're on the UI thread. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); var reformattedSpans = e.NewOrReformattedSpans; var viewSnapshot = TextView.TextSnapshot; // No need to remove tags as these spans are reformatted anyways. UpdateSpans_CallOnlyOnUIThread(reformattedSpans, removeOldTags: false); // Compute any spans that had been invalidated but were not affected by layout. List<IMappingSpan> invalidated; lock (_invalidatedSpansLock) { invalidated = _invalidatedSpans; _invalidatedSpans = null; } if (invalidated != null) { var invalidatedAndNormalized = TranslateAndNormalize(invalidated, viewSnapshot); var invalidatedButNotReformatted = NormalizedSnapshotSpanCollection.Difference( invalidatedAndNormalized, e.NewOrReformattedSpans); UpdateSpans_CallOnlyOnUIThread(invalidatedButNotReformatted, removeOldTags: true); } } } private static NormalizedSnapshotSpanCollection TranslateAndNormalize( IEnumerable<IMappingSpan> spans, ITextSnapshot targetSnapshot) { Contract.ThrowIfNull(spans); var translated = spans.SelectMany(span => span.GetSpans(targetSnapshot)); return new NormalizedSnapshotSpanCollection(translated); } /// <summary> /// This handler is called when tag aggregator notifies us about tag changes. /// </summary> private void OnTagsChanged(object sender, TagsChangedEventArgs e) { using (_asyncListener.BeginAsyncOperation(GetType().Name + ".OnTagsChanged.1")) { var changedSpan = e.Span; if (changedSpan == null) { return; // nothing changed } var needToScheduleUpdate = false; lock (_invalidatedSpansLock) { if (_invalidatedSpans == null) { // set invalidated spans _invalidatedSpans = new List<IMappingSpan> { changedSpan }; needToScheduleUpdate = true; } else { // add to existing invalidated spans _invalidatedSpans.Add(changedSpan); } } if (needToScheduleUpdate) { // schedule an update _threadingContext.JoinableTaskFactory.WithPriority(TextView.VisualElement.Dispatcher, DispatcherPriority.Render).RunAsync(async () => { using (_asyncListener.BeginAsyncOperation(GetType() + ".OnTagsChanged.2")) { await _threadingContext.JoinableTaskFactory.SwitchToMainThreadAsync(alwaysYield: true); UpdateInvalidSpans(); } }); } } } /// <summary> /// MUST BE CALLED ON UI THREAD!!!! This method touches WPF. /// /// This function is used to update invalidates spans. /// </summary> protected void UpdateInvalidSpans() { using (_asyncListener.BeginAsyncOperation(GetType().Name + ".UpdateInvalidSpans.1")) using (Logger.LogBlock(FunctionId.Tagger_AdornmentManager_UpdateInvalidSpans, CancellationToken.None)) { // this method should only run on UI thread as we do WPF here. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); List<IMappingSpan> invalidated; lock (_invalidatedSpansLock) { invalidated = _invalidatedSpans; _invalidatedSpans = null; } if (TextView.IsClosed) { return; // already closed } if (invalidated != null) { var viewSnapshot = TextView.TextSnapshot; var invalidatedNormalized = TranslateAndNormalize(invalidated, viewSnapshot); UpdateSpans_CallOnlyOnUIThread(invalidatedNormalized, removeOldTags: true); } } } protected void UpdateSpans_CallOnlyOnUIThread(NormalizedSnapshotSpanCollection changedSpanCollection, bool removeOldTags) { Contract.ThrowIfNull(changedSpanCollection); // this method should only run on UI thread as we do WPF here. Contract.ThrowIfFalse(TextView.VisualElement.Dispatcher.CheckAccess()); var viewLines = TextView.TextViewLines; if (viewLines == null || viewLines.Count == 0) { return; // nothing to draw on } // removing is a separate pass from adding so that new stuff is not removed. if (removeOldTags) { foreach (var changedSpan in changedSpanCollection) { // is there any effect on the view? if (viewLines.IntersectsBufferSpan(changedSpan)) { AdornmentLayer.RemoveAdornmentsByVisualSpan(changedSpan); } } } AddAdornmentsToAdornmentLayer_CallOnlyOnUIThread(changedSpanCollection); } protected bool ShouldDrawTag(SnapshotSpan snapshotSpan, IMappingTagSpan<GraphicsTag> mappingTagSpan) { var mappedPoint = GetMappedPoint(snapshotSpan, mappingTagSpan); if (mappedPoint is null) { return false; } if (!TryMapToSingleSnapshotSpan(mappingTagSpan.Span, TextView.TextSnapshot, out var span)) { return false; } if (!TextView.TextViewLines.IntersectsBufferSpan(span)) { return false; } return true; } protected SnapshotPoint? GetMappedPoint(SnapshotSpan snapshotSpan, IMappingTagSpan<GraphicsTag> mappingTagSpan) { var point = mappingTagSpan.Span.Start.GetPoint(snapshotSpan.Snapshot, PositionAffinity.Predecessor); if (point == null) { return null; } var mappedPoint = TextView.BufferGraph.MapUpToSnapshot( point.Value, PointTrackingMode.Negative, PositionAffinity.Predecessor, TextView.VisualSnapshot); if (mappedPoint == null) { return null; } return mappedPoint; } // Map the mapping span to the visual snapshot. note that as a result of projection // topology, originally single span may be mapped into several spans. Visual adornments do // not make much sense on disjoint spans. We will not decorate spans that could not make it // in one piece. protected static bool TryMapToSingleSnapshotSpan(IMappingSpan mappingSpan, ITextSnapshot viewSnapshot, out SnapshotSpan span) { // IMappingSpan.GetSpans is a surprisingly expensive function that allocates multiple // lists and collection if the view buffer is same as anchor we could just map the // anchor to the viewSnapshot however, since the _anchor is not available, we have to // map start and end TODO: verify that affinity is correct. If it does not matter we // should use the cheapest. if (viewSnapshot != null && mappingSpan.AnchorBuffer == viewSnapshot.TextBuffer) { var mappedStart = mappingSpan.Start.GetPoint(viewSnapshot, PositionAffinity.Predecessor).Value; var mappedEnd = mappingSpan.End.GetPoint(viewSnapshot, PositionAffinity.Successor).Value; span = new SnapshotSpan(mappedStart, mappedEnd); return true; } // TODO: actually adornments do not make much sense on "cropped" spans either - Consider line separator on "nd Su" // is it possible to cheaply detect cropping? var spans = mappingSpan.GetSpans(viewSnapshot); if (spans.Count != 1) { span = default; return false; // span is unmapped or disjoint. } span = spans[0]; return true; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/VisualBasicTest/Recommendations/PreprocessorDirectives/ElseIfDirectiveKeywordRecommenderTests.vb
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.Recommendations.PreprocessorDirectives Public Class ElseIfDirectiveKeywordRecommenderTests <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileTest() VerifyRecommendationsMissing(<File>|</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfInFileAfterIfTest() VerifyRecommendationsContain(<File> #If True Then |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfInFileAfterElseIfTest() VerifyRecommendationsContain(<File> #If True Then #ElseIf True Then |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileAfterElseIf1Test() VerifyRecommendationsMissing(<File> #If True Then #Else |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileAfterElseIf2Test() VerifyRecommendationsMissing(<File> #If True Then #ElseIf True Then #Else |</File>, "#ElseIf") End Sub End Class End Namespace
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.Recommendations.PreprocessorDirectives Public Class ElseIfDirectiveKeywordRecommenderTests <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileTest() VerifyRecommendationsMissing(<File>|</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfInFileAfterIfTest() VerifyRecommendationsContain(<File> #If True Then |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfInFileAfterElseIfTest() VerifyRecommendationsContain(<File> #If True Then #ElseIf True Then |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileAfterElseIf1Test() VerifyRecommendationsMissing(<File> #If True Then #Else |</File>, "#ElseIf") End Sub <Fact> <Trait(Traits.Feature, Traits.Features.KeywordRecommending)> Public Sub HashElseIfNotInFileAfterElseIf2Test() VerifyRecommendationsMissing(<File> #If True Then #ElseIf True Then #Else |</File>, "#ElseIf") End Sub End Class End Namespace
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/ExpressionEvaluator/VisualBasic/Source/ResultProvider/BasicResultProvider.projitems
<?xml version="1.0" encoding="utf-8"?> <!-- Licensed to the .NET Foundation under one or more agreements. The .NET Foundation licenses this file to you under the MIT license. See the LICENSE file in the project root for more information. --> <Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> <PropertyGroup> <MSBuildAllProjects>$(MSBuildAllProjects);$(MSBuildThisFileFullPath)</MSBuildAllProjects> <HasSharedItems>true</HasSharedItems> <SharedGUID>3140fe61-0856-4367-9aa3-8081b9a80e35</SharedGUID> </PropertyGroup> <PropertyGroup Label="Configuration"> <Import_RootNamespace>Microsoft.CodeAnalysis.VisualBasic.ExpressionEvaluator</Import_RootNamespace> </PropertyGroup> <ItemGroup> <Compile Include="$(MSBuildThisFileDirectory)Helpers\Placeholders.vb" /> <Compile Include="$(MSBuildThisFileDirectory)Helpers\TypeExtensions.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.TypeNames.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.Values.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicResultProvider.vb" /> </ItemGroup> <ItemGroup> <VsdConfigXmlFiles Include="$(MSBuildThisFileDirectory)VisualBasicResultProvider.vsdconfigxml"> <SubType>Designer</SubType> </VsdConfigXmlFiles> </ItemGroup> <ItemGroup> <Import Include="IdentifierComparison=Microsoft.CodeAnalysis.CaseInsensitiveComparison" /> </ItemGroup> </Project>
<?xml version="1.0" encoding="utf-8"?> <!-- Licensed to the .NET Foundation under one or more agreements. The .NET Foundation licenses this file to you under the MIT license. See the LICENSE file in the project root for more information. --> <Project ToolsVersion="14.0" xmlns="http://schemas.microsoft.com/developer/msbuild/2003"> <PropertyGroup> <MSBuildAllProjects>$(MSBuildAllProjects);$(MSBuildThisFileFullPath)</MSBuildAllProjects> <HasSharedItems>true</HasSharedItems> <SharedGUID>3140fe61-0856-4367-9aa3-8081b9a80e35</SharedGUID> </PropertyGroup> <PropertyGroup Label="Configuration"> <Import_RootNamespace>Microsoft.CodeAnalysis.VisualBasic.ExpressionEvaluator</Import_RootNamespace> </PropertyGroup> <ItemGroup> <Compile Include="$(MSBuildThisFileDirectory)Helpers\Placeholders.vb" /> <Compile Include="$(MSBuildThisFileDirectory)Helpers\TypeExtensions.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.TypeNames.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.Values.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicFormatter.vb" /> <Compile Include="$(MSBuildThisFileDirectory)VisualBasicResultProvider.vb" /> </ItemGroup> <ItemGroup> <VsdConfigXmlFiles Include="$(MSBuildThisFileDirectory)VisualBasicResultProvider.vsdconfigxml"> <SubType>Designer</SubType> </VsdConfigXmlFiles> </ItemGroup> <ItemGroup> <Import Include="IdentifierComparison=Microsoft.CodeAnalysis.CaseInsensitiveComparison" /> </ItemGroup> </Project>
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/VisualStudio/Core/Def/Implementation/Library/AbstractLibraryManager_IOleCommandTarget.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using Microsoft.VisualStudio; using Microsoft.VisualStudio.OLE.Interop; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Library { internal partial class AbstractLibraryManager : IOleCommandTarget { protected virtual bool TryQueryStatus(Guid commandGroup, uint commandId, ref OLECMDF commandFlags) => false; protected virtual bool TryExec(Guid commandGroup, uint commandId) => false; int IOleCommandTarget.Exec(ref Guid pguidCmdGroup, uint nCmdID, uint nCmdexecopt, IntPtr pvaIn, IntPtr pvaOut) { if (TryExec(pguidCmdGroup, nCmdID)) { return VSConstants.S_OK; } return (int)Constants.OLECMDERR_E_NOTSUPPORTED; } int IOleCommandTarget.QueryStatus(ref Guid pguidCmdGroup, uint cCmds, OLECMD[] prgCmds, IntPtr pCmdText) { if (cCmds != 1) { return VSConstants.E_UNEXPECTED; } var flags = (OLECMDF)prgCmds[0].cmdf; if (TryQueryStatus(pguidCmdGroup, prgCmds[0].cmdID, ref flags)) { prgCmds[0].cmdf = (uint)flags; return VSConstants.S_OK; } return (int)Constants.OLECMDERR_E_NOTSUPPORTED; } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using Microsoft.VisualStudio; using Microsoft.VisualStudio.OLE.Interop; namespace Microsoft.VisualStudio.LanguageServices.Implementation.Library { internal partial class AbstractLibraryManager : IOleCommandTarget { protected virtual bool TryQueryStatus(Guid commandGroup, uint commandId, ref OLECMDF commandFlags) => false; protected virtual bool TryExec(Guid commandGroup, uint commandId) => false; int IOleCommandTarget.Exec(ref Guid pguidCmdGroup, uint nCmdID, uint nCmdexecopt, IntPtr pvaIn, IntPtr pvaOut) { if (TryExec(pguidCmdGroup, nCmdID)) { return VSConstants.S_OK; } return (int)Constants.OLECMDERR_E_NOTSUPPORTED; } int IOleCommandTarget.QueryStatus(ref Guid pguidCmdGroup, uint cCmds, OLECMD[] prgCmds, IntPtr pCmdText) { if (cCmds != 1) { return VSConstants.E_UNEXPECTED; } var flags = (OLECMDF)prgCmds[0].cmdf; if (TryQueryStatus(pguidCmdGroup, prgCmds[0].cmdID, ref flags)) { prgCmds[0].cmdf = (uint)flags; return VSConstants.S_OK; } return (int)Constants.OLECMDERR_E_NOTSUPPORTED; } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./docs/wiki/Performance-Investigations.md
⚠️ This is an early draft / work-in-progress. :memo: This page is intended to help investigate performance issues submitted through [Developer Community](https://developercommunity.visualstudio.com), where performance data is only accessible to Microsoft employees working on the performance investigations. However, the practices apply to other applications and even to local investigations as long as developers are willing to record their own performance data using PerfView. # Intended Outcomes ## User Complaint: Lag/Slow while typing or interacting with the UI Cause: UI thread is not waiting for messages in the main message pump 1. Open the Thread Time view 1. Find the UI thread (`devenv!WinMain`) 1. Right Click &rarr; Include Item on the thread 1. In the By Name view, look at the Exc column to see if the delay is caused by BLOCKED_TIME or CPU_TIME Intended outcome: Want to attribute the majority ("as much as reasonably possible") of the non-message pump time to an underlying cause, and for cases where "too much time is spent", file bugs to reduce the UI thread workload. Common causes: * Inappropriate use of the UI thread for computational work * Waiting for GC * Waiting for JIT * Waiting in JoinableTaskFactory (JTF) * Running a COM message pump ## User Complaint: Long-running operation takes too long Long-running operations are typically asynchronous operations which produce a result over time, often providing a cancellable progress report as a natural part of the operation. *TODO* ## User Complaint: High CPU usage High CPU usage reports typically fall into one of two categories: 1. The CPU usage is itself a problem, e.g. a laptop fan keeps running, the battery is used too fast, the computer is too warm, or the use of Visual Studio interferes with the performance of unrelated applications running on the same computer. 1. The user is experiencing another problem, e.g. poor typing performance, and attributed the problem to CPU usage for the bug report. Sometimes a user feedback report contains enough detail to classify the report into one of these categories, but most of the time a guess must be made. The intended outcome depends on what the user meant by the report. Intended outcome: * Clear indication that CPU usage is the problem: Investigate CPU usage across all processes running on the system, and attempt to account for "a reasonable majority" with bugs (Microsoft-cause) or feedback (non-Microsoft cause) sufficient to explain the CPU usage and lead to a resolution. * Clear indication that CPU usage is *not* the true problem: Primarily investigate by following the steps for the true complaint type instead of investigating as a CPU usage complaint. However, as an added bonus, briefly look at the CPU usage information in the trace to see if majority offenders can be identified and possibly point to a low-hanging fruit bug. * Unclear true problem: Investigate as a CPU usage report (assume the user meant what they said), but try to avoid spending too much time in an intense deep-dive to reduce CPU usage. Identify the largest single offender(s) in the trace, if they exist, and follow up with a description of the findings and a suggestion that the user take a look at the Performance Issues section of the "reporting a problem" page in case they want to provide more specific feedback for further investigation. # Pitfalls When investigating a performance scenario, be aware that many pitfalls exist. This section lists a few that are known and relatively frequently encountered. ## Measurement window accuracy Sometimes a performance trace is taken during a period of time in which the stated complaint is not actively a problem. For example, in extreme instances users have submitted performance traces of a completely idle Visual Studio instance that did not have any solution open, while reporting a problem related to typing performance with a large solution. While this case was easy to identify (Visual Studio was completely inactive and not hung), other cases can be quite difficult. :bulb: If the conclusions drawn from the performance trace do not seem obviously related to the stated complaint, it may indicate a measurement window mismatch. ## Performance trace size limitations The performance measurement infrastructure (PerfView) uses a circular buffer which only keeps the most recent data up to some fixed size. Depending on the type and amount of activity on the system during measurement, it is possible for a performance trace to exceed the size limit, and only retain "more recent" information in the trace. The time supported for a trace *widely* varies by measurement conditions, so only loose guidance is provided in the recommended steps for measuring and reporting performance problems. 💡 If you open a view in PerfView and observe a lack of data for a substantial portion of the beginning of a measurement window (see the **When** column), the measurement may have hit the end of the buffer and discarded the oldest data. Note that the GC data and the Thread Time data are recorded separately, so the buffers will not discard the same duration of data. # Investigating GC performance Red flags that GC may be a problem: * In the **GC Stats** window from PerfView 1. Large "Total GC Pause" 1. Large "% Time paused for Garbage Collection" 1. Large "% CPU Time spent Garbage Collecting" * In the **Thread Time Stacks** window in PerfView 1. Large time spent in `clr!??WKS::gc_heap::gc1` 1. Large time spent in `clr!WKS::GCHeap::WaitUntilGCComplete` * In the **GC Heap Alloc Ignore Free** window in PerfView 1. Large "Totals Metric" at the top of the window GC problems are typically caused by one of the following: 1. **Allocation rate:** Code allocates large numbers of objects, requiring GC to run frequently to clean them up 2. **Memory pressure:** A large working set (which could be managed or unmanaged memory) is held by an application, leaving only a small amount of free memory space for the garbage collector to operate within. Increased memory pressure reduces the allocation rate required to cause observable performance problems.
⚠️ This is an early draft / work-in-progress. :memo: This page is intended to help investigate performance issues submitted through [Developer Community](https://developercommunity.visualstudio.com), where performance data is only accessible to Microsoft employees working on the performance investigations. However, the practices apply to other applications and even to local investigations as long as developers are willing to record their own performance data using PerfView. # Intended Outcomes ## User Complaint: Lag/Slow while typing or interacting with the UI Cause: UI thread is not waiting for messages in the main message pump 1. Open the Thread Time view 1. Find the UI thread (`devenv!WinMain`) 1. Right Click &rarr; Include Item on the thread 1. In the By Name view, look at the Exc column to see if the delay is caused by BLOCKED_TIME or CPU_TIME Intended outcome: Want to attribute the majority ("as much as reasonably possible") of the non-message pump time to an underlying cause, and for cases where "too much time is spent", file bugs to reduce the UI thread workload. Common causes: * Inappropriate use of the UI thread for computational work * Waiting for GC * Waiting for JIT * Waiting in JoinableTaskFactory (JTF) * Running a COM message pump ## User Complaint: Long-running operation takes too long Long-running operations are typically asynchronous operations which produce a result over time, often providing a cancellable progress report as a natural part of the operation. *TODO* ## User Complaint: High CPU usage High CPU usage reports typically fall into one of two categories: 1. The CPU usage is itself a problem, e.g. a laptop fan keeps running, the battery is used too fast, the computer is too warm, or the use of Visual Studio interferes with the performance of unrelated applications running on the same computer. 1. The user is experiencing another problem, e.g. poor typing performance, and attributed the problem to CPU usage for the bug report. Sometimes a user feedback report contains enough detail to classify the report into one of these categories, but most of the time a guess must be made. The intended outcome depends on what the user meant by the report. Intended outcome: * Clear indication that CPU usage is the problem: Investigate CPU usage across all processes running on the system, and attempt to account for "a reasonable majority" with bugs (Microsoft-cause) or feedback (non-Microsoft cause) sufficient to explain the CPU usage and lead to a resolution. * Clear indication that CPU usage is *not* the true problem: Primarily investigate by following the steps for the true complaint type instead of investigating as a CPU usage complaint. However, as an added bonus, briefly look at the CPU usage information in the trace to see if majority offenders can be identified and possibly point to a low-hanging fruit bug. * Unclear true problem: Investigate as a CPU usage report (assume the user meant what they said), but try to avoid spending too much time in an intense deep-dive to reduce CPU usage. Identify the largest single offender(s) in the trace, if they exist, and follow up with a description of the findings and a suggestion that the user take a look at the Performance Issues section of the "reporting a problem" page in case they want to provide more specific feedback for further investigation. # Pitfalls When investigating a performance scenario, be aware that many pitfalls exist. This section lists a few that are known and relatively frequently encountered. ## Measurement window accuracy Sometimes a performance trace is taken during a period of time in which the stated complaint is not actively a problem. For example, in extreme instances users have submitted performance traces of a completely idle Visual Studio instance that did not have any solution open, while reporting a problem related to typing performance with a large solution. While this case was easy to identify (Visual Studio was completely inactive and not hung), other cases can be quite difficult. :bulb: If the conclusions drawn from the performance trace do not seem obviously related to the stated complaint, it may indicate a measurement window mismatch. ## Performance trace size limitations The performance measurement infrastructure (PerfView) uses a circular buffer which only keeps the most recent data up to some fixed size. Depending on the type and amount of activity on the system during measurement, it is possible for a performance trace to exceed the size limit, and only retain "more recent" information in the trace. The time supported for a trace *widely* varies by measurement conditions, so only loose guidance is provided in the recommended steps for measuring and reporting performance problems. 💡 If you open a view in PerfView and observe a lack of data for a substantial portion of the beginning of a measurement window (see the **When** column), the measurement may have hit the end of the buffer and discarded the oldest data. Note that the GC data and the Thread Time data are recorded separately, so the buffers will not discard the same duration of data. # Investigating GC performance Red flags that GC may be a problem: * In the **GC Stats** window from PerfView 1. Large "Total GC Pause" 1. Large "% Time paused for Garbage Collection" 1. Large "% CPU Time spent Garbage Collecting" * In the **Thread Time Stacks** window in PerfView 1. Large time spent in `clr!??WKS::gc_heap::gc1` 1. Large time spent in `clr!WKS::GCHeap::WaitUntilGCComplete` * In the **GC Heap Alloc Ignore Free** window in PerfView 1. Large "Totals Metric" at the top of the window GC problems are typically caused by one of the following: 1. **Allocation rate:** Code allocates large numbers of objects, requiring GC to run frequently to clean them up 2. **Memory pressure:** A large working set (which could be managed or unmanaged memory) is held by an application, leaving only a small amount of free memory space for the garbage collector to operate within. Increased memory pressure reduces the allocation rate required to cause observable performance problems.
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Analyzers/VisualBasic/Analyzers/AddAccessibilityModifiers/VisualBasicAddAccessibilityModifiers.vb
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Imports Microsoft.CodeAnalysis.AddAccessibilityModifiers Imports Microsoft.CodeAnalysis.CodeStyle Imports Microsoft.CodeAnalysis.VisualBasic.Syntax Namespace Microsoft.CodeAnalysis.VisualBasic.AddAccessibilityModifiers Friend Class VisualBasicAddAccessibilityModifiers Inherits AbstractAddAccessibilityModifiers(Of StatementSyntax) Public Shared ReadOnly Instance As New VisualBasicAddAccessibilityModifiers() Protected Sub New() End Sub Public Overrides Function ShouldUpdateAccessibilityModifier( syntaxFacts As CodeAnalysis.LanguageServices.ISyntaxFacts, member As StatementSyntax, [option] As AccessibilityModifiersRequired, ByRef name As SyntaxToken) As Boolean ' Have to have a name to report the issue on. name = member.GetNameToken() If name.Kind() = SyntaxKind.None Then Return False End If ' Certain members never have accessibility. Don't bother reporting on them. If Not syntaxFacts.CanHaveAccessibility(member) Then Return False End If ' This analyzer bases all of its decisions on the accessibility Dim Accessibility = syntaxFacts.GetAccessibility(member) ' Omit will flag any accesibility values that exist and are default ' The other options will remove or ignore accessibility Dim isOmit = [option] = AccessibilityModifiersRequired.OmitIfDefault If isOmit Then If Accessibility = Accessibility.NotApplicable Then ' Accessibility modifier already missing. nothing we need to do. Return False End If If Not MatchesDefaultAccessibility(Accessibility, member) Then ' Explicit accessibility was different than the default accessibility. ' We have to keep this here. Return False End If Else ' Require all, flag missing modidifers If Accessibility <> Accessibility.NotApplicable Then Return False End If End If Return True End Function Private Shared Function MatchesDefaultAccessibility(accessibility As Accessibility, member As StatementSyntax) As Boolean ' Top level items in a namespace or file If member.IsParentKind(SyntaxKind.CompilationUnit) OrElse member.IsParentKind(SyntaxKind.NamespaceBlock) Then ' default is Friend Return accessibility = Accessibility.Friend End If ' default for const and field in a class is private If member.IsParentKind(SyntaxKind.ClassBlock) OrElse member.IsParentKind(SyntaxKind.ModuleBlock) Then If member.IsKind(SyntaxKind.FieldDeclaration) Then Return accessibility = Accessibility.Private End If End If ' Everything else has a default of public Return accessibility = Accessibility.Public End Function End Class End Namespace
' Licensed to the .NET Foundation under one or more agreements. ' The .NET Foundation licenses this file to you under the MIT license. ' See the LICENSE file in the project root for more information. Imports Microsoft.CodeAnalysis.AddAccessibilityModifiers Imports Microsoft.CodeAnalysis.CodeStyle Imports Microsoft.CodeAnalysis.VisualBasic.Syntax Namespace Microsoft.CodeAnalysis.VisualBasic.AddAccessibilityModifiers Friend Class VisualBasicAddAccessibilityModifiers Inherits AbstractAddAccessibilityModifiers(Of StatementSyntax) Public Shared ReadOnly Instance As New VisualBasicAddAccessibilityModifiers() Protected Sub New() End Sub Public Overrides Function ShouldUpdateAccessibilityModifier( syntaxFacts As CodeAnalysis.LanguageServices.ISyntaxFacts, member As StatementSyntax, [option] As AccessibilityModifiersRequired, ByRef name As SyntaxToken) As Boolean ' Have to have a name to report the issue on. name = member.GetNameToken() If name.Kind() = SyntaxKind.None Then Return False End If ' Certain members never have accessibility. Don't bother reporting on them. If Not syntaxFacts.CanHaveAccessibility(member) Then Return False End If ' This analyzer bases all of its decisions on the accessibility Dim Accessibility = syntaxFacts.GetAccessibility(member) ' Omit will flag any accesibility values that exist and are default ' The other options will remove or ignore accessibility Dim isOmit = [option] = AccessibilityModifiersRequired.OmitIfDefault If isOmit Then If Accessibility = Accessibility.NotApplicable Then ' Accessibility modifier already missing. nothing we need to do. Return False End If If Not MatchesDefaultAccessibility(Accessibility, member) Then ' Explicit accessibility was different than the default accessibility. ' We have to keep this here. Return False End If Else ' Require all, flag missing modidifers If Accessibility <> Accessibility.NotApplicable Then Return False End If End If Return True End Function Private Shared Function MatchesDefaultAccessibility(accessibility As Accessibility, member As StatementSyntax) As Boolean ' Top level items in a namespace or file If member.IsParentKind(SyntaxKind.CompilationUnit) OrElse member.IsParentKind(SyntaxKind.NamespaceBlock) Then ' default is Friend Return accessibility = Accessibility.Friend End If ' default for const and field in a class is private If member.IsParentKind(SyntaxKind.ClassBlock) OrElse member.IsParentKind(SyntaxKind.ModuleBlock) Then If member.IsKind(SyntaxKind.FieldDeclaration) Then Return accessibility = Accessibility.Private End If End If ' Everything else has a default of public Return accessibility = Accessibility.Public End Function End Class End Namespace
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/EditorFeatures/CSharpTest2/Recommendations/WarningKeywordRecommenderTests.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.Test.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Recommendations { public class WarningKeywordRecommenderTests : KeywordRecommenderTests { [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAtRoot_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"$$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterClass_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"class C { } $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterGlobalStatement_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"System.Console.WriteLine(); $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterGlobalVariableDeclaration_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"int i = 0; $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInUsingAlias() { await VerifyAbsenceAsync( @"using Goo = $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInGlobalUsingAlias() { await VerifyAbsenceAsync( @"global using Goo = $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInEmptyStatement() { await VerifyAbsenceAsync(AddInsideMethod( @"$$")); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterHash() { await VerifyKeywordAsync( @"#$$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterHashAndSpace() { await VerifyKeywordAsync( @"# $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterPragma() { await VerifyKeywordAsync( @"#pragma $$"); } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Threading.Tasks; using Microsoft.CodeAnalysis.Test.Utilities; using Xunit; namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Recommendations { public class WarningKeywordRecommenderTests : KeywordRecommenderTests { [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAtRoot_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"$$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterClass_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"class C { } $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterGlobalStatement_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"System.Console.WriteLine(); $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotAfterGlobalVariableDeclaration_Interactive() { await VerifyAbsenceAsync(SourceCodeKind.Script, @"int i = 0; $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInUsingAlias() { await VerifyAbsenceAsync( @"using Goo = $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInGlobalUsingAlias() { await VerifyAbsenceAsync( @"global using Goo = $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestNotInEmptyStatement() { await VerifyAbsenceAsync(AddInsideMethod( @"$$")); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterHash() { await VerifyKeywordAsync( @"#$$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterHashAndSpace() { await VerifyKeywordAsync( @"# $$"); } [Fact, Trait(Traits.Feature, Traits.Features.KeywordRecommending)] public async Task TestAfterPragma() { await VerifyKeywordAsync( @"#pragma $$"); } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Scripting/Core/CoreLightup.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Diagnostics; using System.Globalization; using System.IO; using System.Reflection; namespace Roslyn.Utilities { /// <summary> /// This type contains the light up scenarios for various platform and runtimes. Any function /// in this type can, and is expected to, fail on various platforms. These are light up scenarios /// only. /// </summary> internal static class CoreLightup { internal static class Desktop { private static class _Assembly { internal static readonly Type Type = typeof(Assembly); internal static readonly Func<Assembly, bool> get_GlobalAssemblyCache = Type .GetTypeInfo() .GetDeclaredMethod("get_GlobalAssemblyCache") .CreateDelegate<Func<Assembly, bool>>(); } private static class _ResolveEventArgs { internal static readonly Type Type = ReflectionUtilities.TryGetType("System.ResolveEventArgs"); internal static readonly MethodInfo get_Name = Type .GetTypeInfo() .GetDeclaredMethod("get_Name"); internal static readonly MethodInfo get_RequestingAssembly = Type .GetTypeInfo() .GetDeclaredMethod("get_RequestingAssembly"); } private static class _AppDomain { internal static readonly Type Type = ReflectionUtilities.TryGetType("System.AppDomain"); internal static readonly Type ResolveEventHandlerType = ReflectionUtilities.TryGetType("System.ResolveEventHandler"); internal static readonly MethodInfo get_CurrentDomain = Type .GetTypeInfo() .GetDeclaredMethod("get_CurrentDomain"); internal static readonly MethodInfo add_AssemblyResolve = Type .GetTypeInfo() .GetDeclaredMethod("add_AssemblyResolve", ResolveEventHandlerType); internal static readonly MethodInfo remove_AssemblyResolve = Type .GetTypeInfo() .GetDeclaredMethod("remove_AssemblyResolve", ResolveEventHandlerType); } internal static bool IsAssemblyFromGlobalAssemblyCache(Assembly assembly) { if (_Assembly.get_GlobalAssemblyCache == null) { throw new PlatformNotSupportedException(); } return _Assembly.get_GlobalAssemblyCache(assembly); } private sealed class AssemblyResolveWrapper { private readonly Func<string, Assembly, Assembly> _handler; private static readonly MethodInfo s_stubInfo = typeof(AssemblyResolveWrapper).GetTypeInfo().GetDeclaredMethod("Stub"); public AssemblyResolveWrapper(Func<string, Assembly, Assembly> handler) { _handler = handler; } private Assembly Stub(object sender, object resolveEventArgs) { var name = (string)_ResolveEventArgs.get_Name.Invoke(resolveEventArgs, Array.Empty<object>()); var requestingAssembly = (Assembly)_ResolveEventArgs.get_RequestingAssembly.Invoke(resolveEventArgs, Array.Empty<object>()); return _handler(name, requestingAssembly); } public object GetHandler() { return s_stubInfo.CreateDelegate(_AppDomain.ResolveEventHandlerType, this); } } internal static void GetOrRemoveAssemblyResolveHandler(Func<string, Assembly, Assembly> handler, MethodInfo handlerOperation) { if (_AppDomain.add_AssemblyResolve == null) { throw new PlatformNotSupportedException(); } var currentAppDomain = AppDomain.CurrentDomain; object resolveEventHandler = new AssemblyResolveWrapper(handler).GetHandler(); handlerOperation.Invoke(currentAppDomain, new[] { resolveEventHandler }); } internal static void AddAssemblyResolveHandler(Func<string, Assembly, Assembly> handler) { GetOrRemoveAssemblyResolveHandler(handler, _AppDomain.add_AssemblyResolve); } internal static void RemoveAssemblyResolveHandler(Func<string, Assembly, Assembly> handler) { GetOrRemoveAssemblyResolveHandler(handler, _AppDomain.remove_AssemblyResolve); } } } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System; using System.Diagnostics; using System.Globalization; using System.IO; using System.Reflection; namespace Roslyn.Utilities { /// <summary> /// This type contains the light up scenarios for various platform and runtimes. Any function /// in this type can, and is expected to, fail on various platforms. These are light up scenarios /// only. /// </summary> internal static class CoreLightup { internal static class Desktop { private static class _Assembly { internal static readonly Type Type = typeof(Assembly); internal static readonly Func<Assembly, bool> get_GlobalAssemblyCache = Type .GetTypeInfo() .GetDeclaredMethod("get_GlobalAssemblyCache") .CreateDelegate<Func<Assembly, bool>>(); } private static class _ResolveEventArgs { internal static readonly Type Type = ReflectionUtilities.TryGetType("System.ResolveEventArgs"); internal static readonly MethodInfo get_Name = Type .GetTypeInfo() .GetDeclaredMethod("get_Name"); internal static readonly MethodInfo get_RequestingAssembly = Type .GetTypeInfo() .GetDeclaredMethod("get_RequestingAssembly"); } private static class _AppDomain { internal static readonly Type Type = ReflectionUtilities.TryGetType("System.AppDomain"); internal static readonly Type ResolveEventHandlerType = ReflectionUtilities.TryGetType("System.ResolveEventHandler"); internal static readonly MethodInfo get_CurrentDomain = Type .GetTypeInfo() .GetDeclaredMethod("get_CurrentDomain"); internal static readonly MethodInfo add_AssemblyResolve = Type .GetTypeInfo() .GetDeclaredMethod("add_AssemblyResolve", ResolveEventHandlerType); internal static readonly MethodInfo remove_AssemblyResolve = Type .GetTypeInfo() .GetDeclaredMethod("remove_AssemblyResolve", ResolveEventHandlerType); } internal static bool IsAssemblyFromGlobalAssemblyCache(Assembly assembly) { if (_Assembly.get_GlobalAssemblyCache == null) { throw new PlatformNotSupportedException(); } return _Assembly.get_GlobalAssemblyCache(assembly); } private sealed class AssemblyResolveWrapper { private readonly Func<string, Assembly, Assembly> _handler; private static readonly MethodInfo s_stubInfo = typeof(AssemblyResolveWrapper).GetTypeInfo().GetDeclaredMethod("Stub"); public AssemblyResolveWrapper(Func<string, Assembly, Assembly> handler) { _handler = handler; } private Assembly Stub(object sender, object resolveEventArgs) { var name = (string)_ResolveEventArgs.get_Name.Invoke(resolveEventArgs, Array.Empty<object>()); var requestingAssembly = (Assembly)_ResolveEventArgs.get_RequestingAssembly.Invoke(resolveEventArgs, Array.Empty<object>()); return _handler(name, requestingAssembly); } public object GetHandler() { return s_stubInfo.CreateDelegate(_AppDomain.ResolveEventHandlerType, this); } } internal static void GetOrRemoveAssemblyResolveHandler(Func<string, Assembly, Assembly> handler, MethodInfo handlerOperation) { if (_AppDomain.add_AssemblyResolve == null) { throw new PlatformNotSupportedException(); } var currentAppDomain = AppDomain.CurrentDomain; object resolveEventHandler = new AssemblyResolveWrapper(handler).GetHandler(); handlerOperation.Invoke(currentAppDomain, new[] { resolveEventHandler }); } internal static void AddAssemblyResolveHandler(Func<string, Assembly, Assembly> handler) { GetOrRemoveAssemblyResolveHandler(handler, _AppDomain.add_AssemblyResolve); } internal static void RemoveAssemblyResolveHandler(Func<string, Assembly, Assembly> handler) { GetOrRemoveAssemblyResolveHandler(handler, _AppDomain.remove_AssemblyResolve); } } } }
-1
dotnet/roslyn
55,976
[LSP] Semantic tokens: Utilize frozen partial compilations
Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
allisonchou
"2021-08-27T22:11:19Z"
"2021-08-31T21:08:24Z"
4d48ca4f141e79f548bc90c72df26e0f2ebcdd1a
1dd98de8b262e5dfe03edbba9858f242da32cadb
[LSP] Semantic tokens: Utilize frozen partial compilations. Allows Roslyn's LSP semantic token handlers to utilize frozen compilations to compute tokens. The switch to using frozen compilations is fairly straightforward, however Razor needs to know if we're returning partial tokens or not so they know whether to keep asking us for tokens. To accomplish this, we return a `IsFinalized` property along with our results that Razor can deserialize. Also modified the handlers' logic to not cache 0-length tokens as it is unnecessary. Likely should be dual-inserted with the Razor-side PR: https://github.com/dotnet/aspnetcore-tooling/pull/4156
./src/Compilers/Test/Resources/Core/TestKeys.cs
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; namespace TestResources { public static class TestKeys { public static readonly ImmutableArray<byte> PublicKey_ce65828c82a341f2 = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x2B, 0x98, 0x6F, 0x6B, 0x5E, 0xA5, 0x71, 0x7D, 0x35, 0xC7, 0x2D, 0x38, 0x56, 0x1F, 0x41, 0x3E, 0x26, 0x70, 0x29, 0xEF, 0xA9, 0xB5, 0xF1, 0x07, 0xB9, 0x33, 0x1D, 0x83, 0xDF, 0x65, 0x73, 0x81, 0x32, 0x5B, 0x3A, 0x67, 0xB7, 0x58, 0x12, 0xF6, 0x3A, 0x94, 0x36, 0xCE, 0xCC, 0xB4, 0x94, 0x94, 0xDE, 0x8F, 0x57, 0x4F, 0x8E, 0x63, 0x9D, 0x4D, 0x26, 0xC0, 0xFC, 0xF8, 0xB0, 0xE9, 0xA1, 0xA1, 0x96, 0xB8, 0x0B, 0x6F, 0x6E, 0xD0, 0x53, 0x62, 0x8D, 0x10, 0xD0, 0x27, 0xE0, 0x32, 0xDF, 0x2E, 0xD1, 0xD6, 0x08, 0x35, 0xE5, 0xF4, 0x7D, 0x32, 0xC9, 0xEF, 0x6D, 0xA1, 0x0D, 0x03, 0x66, 0xA3, 0x19, 0x57, 0x33, 0x62, 0xC8, 0x21, 0xB5, 0xF8, 0xFA, 0x5A, 0xBC, 0x5B, 0xB2, 0x22, 0x41, 0xDE, 0x6F, 0x66, 0x6A, 0x85, 0xD8, 0x2D, 0x6B, 0xA8, 0xC3, 0x09, 0x0D, 0x01, 0x63, 0x6B, 0xD2, 0xBB, }); public static readonly ImmutableArray<byte> PublicKey_b03f5f7f11d50a3a = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x07, 0xd1, 0xfa, 0x57, 0xc4, 0xae, 0xd9, 0xf0, 0xa3, 0x2e, 0x84, 0xaa, 0x0f, 0xae, 0xfd, 0x0d, 0xe9, 0xe8, 0xfd, 0x6a, 0xec, 0x8f, 0x87, 0xfb, 0x03, 0x76, 0x6c, 0x83, 0x4c, 0x99, 0x92, 0x1e, 0xb2, 0x3b, 0xe7, 0x9a, 0xd9, 0xd5, 0xdc, 0xc1, 0xdd, 0x9a, 0xd2, 0x36, 0x13, 0x21, 0x02, 0x90, 0x0b, 0x72, 0x3c, 0xf9, 0x80, 0x95, 0x7f, 0xc4, 0xe1, 0x77, 0x10, 0x8f, 0xc6, 0x07, 0x77, 0x4f, 0x29, 0xe8, 0x32, 0x0e, 0x92, 0xea, 0x05, 0xec, 0xe4, 0xe8, 0x21, 0xc0, 0xa5, 0xef, 0xe8, 0xf1, 0x64, 0x5c, 0x4c, 0x0c, 0x93, 0xc1, 0xab, 0x99, 0x28, 0x5d, 0x62, 0x2c, 0xaa, 0x65, 0x2c, 0x1d, 0xfa, 0xd6, 0x3d, 0x74, 0x5d, 0x6f, 0x2d, 0xe5, 0xf1, 0x7e, 0x5e, 0xaf, 0x0f, 0xc4, 0x96, 0x3d, 0x26, 0x1c, 0x8a, 0x12, 0x43, 0x65, 0x18, 0x20, 0x6d, 0xc0, 0x93, 0x34, 0x4d, 0x5a, 0xd2, 0x93, }); public static readonly ImmutableArray<byte> PublicKey_31bf3856ad364e35 = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0xB5, 0xFC, 0x90, 0xE7, 0x02, 0x7F, 0x67, 0x87, 0x1E, 0x77, 0x3A, 0x8F, 0xDE, 0x89, 0x38, 0xC8, 0x1D, 0xD4, 0x02, 0xBA, 0x65, 0xB9, 0x20, 0x1D, 0x60, 0x59, 0x3E, 0x96, 0xC4, 0x92, 0x65, 0x1E, 0x88, 0x9C, 0xC1, 0x3F, 0x14, 0x15, 0xEB, 0xB5, 0x3F, 0xAC, 0x11, 0x31, 0xAE, 0x0B, 0xD3, 0x33, 0xC5, 0xEE, 0x60, 0x21, 0x67, 0x2D, 0x97, 0x18, 0xEA, 0x31, 0xA8, 0xAE, 0xBD, 0x0D, 0xA0, 0x07, 0x2F, 0x25, 0xD8, 0x7D, 0xBA, 0x6F, 0xC9, 0x0F, 0xFD, 0x59, 0x8E, 0xD4, 0xDA, 0x35, 0xE4, 0x4C, 0x39, 0x8C, 0x45, 0x43, 0x07, 0xE8, 0xE3, 0x3B, 0x84, 0x26, 0x14, 0x3D, 0xAE, 0xC9, 0xF5, 0x96, 0x83, 0x6F, 0x97, 0xC8, 0xF7, 0x47, 0x50, 0xE5, 0x97, 0x5C, 0x64, 0xE2, 0x18, 0x9F, 0x45, 0xDE, 0xF4, 0x6B, 0x2A, 0x2B, 0x12, 0x47, 0xAD, 0xC3, 0x65, 0x2B, 0xF5, 0xC3, 0x08, 0x05, 0x5D, 0xA9, }); } }
// Licensed to the .NET Foundation under one or more agreements. // The .NET Foundation licenses this file to you under the MIT license. // See the LICENSE file in the project root for more information. #nullable disable using System.Collections.Immutable; namespace TestResources { public static class TestKeys { public static readonly ImmutableArray<byte> PublicKey_ce65828c82a341f2 = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x2B, 0x98, 0x6F, 0x6B, 0x5E, 0xA5, 0x71, 0x7D, 0x35, 0xC7, 0x2D, 0x38, 0x56, 0x1F, 0x41, 0x3E, 0x26, 0x70, 0x29, 0xEF, 0xA9, 0xB5, 0xF1, 0x07, 0xB9, 0x33, 0x1D, 0x83, 0xDF, 0x65, 0x73, 0x81, 0x32, 0x5B, 0x3A, 0x67, 0xB7, 0x58, 0x12, 0xF6, 0x3A, 0x94, 0x36, 0xCE, 0xCC, 0xB4, 0x94, 0x94, 0xDE, 0x8F, 0x57, 0x4F, 0x8E, 0x63, 0x9D, 0x4D, 0x26, 0xC0, 0xFC, 0xF8, 0xB0, 0xE9, 0xA1, 0xA1, 0x96, 0xB8, 0x0B, 0x6F, 0x6E, 0xD0, 0x53, 0x62, 0x8D, 0x10, 0xD0, 0x27, 0xE0, 0x32, 0xDF, 0x2E, 0xD1, 0xD6, 0x08, 0x35, 0xE5, 0xF4, 0x7D, 0x32, 0xC9, 0xEF, 0x6D, 0xA1, 0x0D, 0x03, 0x66, 0xA3, 0x19, 0x57, 0x33, 0x62, 0xC8, 0x21, 0xB5, 0xF8, 0xFA, 0x5A, 0xBC, 0x5B, 0xB2, 0x22, 0x41, 0xDE, 0x6F, 0x66, 0x6A, 0x85, 0xD8, 0x2D, 0x6B, 0xA8, 0xC3, 0x09, 0x0D, 0x01, 0x63, 0x6B, 0xD2, 0xBB, }); public static readonly ImmutableArray<byte> PublicKey_b03f5f7f11d50a3a = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0x07, 0xd1, 0xfa, 0x57, 0xc4, 0xae, 0xd9, 0xf0, 0xa3, 0x2e, 0x84, 0xaa, 0x0f, 0xae, 0xfd, 0x0d, 0xe9, 0xe8, 0xfd, 0x6a, 0xec, 0x8f, 0x87, 0xfb, 0x03, 0x76, 0x6c, 0x83, 0x4c, 0x99, 0x92, 0x1e, 0xb2, 0x3b, 0xe7, 0x9a, 0xd9, 0xd5, 0xdc, 0xc1, 0xdd, 0x9a, 0xd2, 0x36, 0x13, 0x21, 0x02, 0x90, 0x0b, 0x72, 0x3c, 0xf9, 0x80, 0x95, 0x7f, 0xc4, 0xe1, 0x77, 0x10, 0x8f, 0xc6, 0x07, 0x77, 0x4f, 0x29, 0xe8, 0x32, 0x0e, 0x92, 0xea, 0x05, 0xec, 0xe4, 0xe8, 0x21, 0xc0, 0xa5, 0xef, 0xe8, 0xf1, 0x64, 0x5c, 0x4c, 0x0c, 0x93, 0xc1, 0xab, 0x99, 0x28, 0x5d, 0x62, 0x2c, 0xaa, 0x65, 0x2c, 0x1d, 0xfa, 0xd6, 0x3d, 0x74, 0x5d, 0x6f, 0x2d, 0xe5, 0xf1, 0x7e, 0x5e, 0xaf, 0x0f, 0xc4, 0x96, 0x3d, 0x26, 0x1c, 0x8a, 0x12, 0x43, 0x65, 0x18, 0x20, 0x6d, 0xc0, 0x93, 0x34, 0x4d, 0x5a, 0xd2, 0x93, }); public static readonly ImmutableArray<byte> PublicKey_31bf3856ad364e35 = ImmutableArray.Create(new byte[] { 0x00, 0x24, 0x00, 0x00, 0x04, 0x80, 0x00, 0x00, 0x94, 0x00, 0x00, 0x00, 0x06, 0x02, 0x00, 0x00, 0x00, 0x24, 0x00, 0x00, 0x52, 0x53, 0x41, 0x31, 0x00, 0x04, 0x00, 0x00, 0x01, 0x00, 0x01, 0x00, 0xB5, 0xFC, 0x90, 0xE7, 0x02, 0x7F, 0x67, 0x87, 0x1E, 0x77, 0x3A, 0x8F, 0xDE, 0x89, 0x38, 0xC8, 0x1D, 0xD4, 0x02, 0xBA, 0x65, 0xB9, 0x20, 0x1D, 0x60, 0x59, 0x3E, 0x96, 0xC4, 0x92, 0x65, 0x1E, 0x88, 0x9C, 0xC1, 0x3F, 0x14, 0x15, 0xEB, 0xB5, 0x3F, 0xAC, 0x11, 0x31, 0xAE, 0x0B, 0xD3, 0x33, 0xC5, 0xEE, 0x60, 0x21, 0x67, 0x2D, 0x97, 0x18, 0xEA, 0x31, 0xA8, 0xAE, 0xBD, 0x0D, 0xA0, 0x07, 0x2F, 0x25, 0xD8, 0x7D, 0xBA, 0x6F, 0xC9, 0x0F, 0xFD, 0x59, 0x8E, 0xD4, 0xDA, 0x35, 0xE4, 0x4C, 0x39, 0x8C, 0x45, 0x43, 0x07, 0xE8, 0xE3, 0x3B, 0x84, 0x26, 0x14, 0x3D, 0xAE, 0xC9, 0xF5, 0x96, 0x83, 0x6F, 0x97, 0xC8, 0xF7, 0x47, 0x50, 0xE5, 0x97, 0x5C, 0x64, 0xE2, 0x18, 0x9F, 0x45, 0xDE, 0xF4, 0x6B, 0x2A, 0x2B, 0x12, 0x47, 0xAD, 0xC3, 0x65, 0x2B, 0xF5, 0xC3, 0x08, 0x05, 0x5D, 0xA9, }); } }
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/VSPackage.resx
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="101" xml:space="preserve"> <value>Visual Basic</value> <comment>Used anywhere the string is needed (that is, everywhere.)</comment> </data> <data name="1012" xml:space="preserve"> <value>Visual Basic Editor with Encoding</value> </data> <data name="1013" xml:space="preserve"> <value>Visual Basic Editor</value> </data> <data name="10160" xml:space="preserve"> <value>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</value> <comment>Advanced options page keywords</comment> </data> <data name="102" xml:space="preserve"> <value>Advanced</value> <comment>"Advanced" node under Tools &gt;Options, Basic editor.</comment> </data> <data name="103" xml:space="preserve"> <value>Basic</value> <comment>"Basic" node in profile Import/Export.</comment> </data> <data name="104" xml:space="preserve"> <value>Basic Editor</value> <comment>"Basic Editor" node in profile Import/Export.</comment> </data> <data name="105" xml:space="preserve"> <value>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</value> <comment>"Basic" node help text in profile Import/Export.</comment> </data> <data name="106" xml:space="preserve"> <value>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</value> <comment>"Basic Editor" node help text in profile Import/Export.</comment> </data> <data name="107" xml:space="preserve"> <value>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</value> <comment>Profile description in profile Reset All Settings.</comment> </data> <data name="108" xml:space="preserve"> <value>Microsoft Visual Basic</value> <comment>Used for String in Tools &gt; Options, Text Editor, File Extensions</comment> </data> <data name="109" xml:space="preserve"> <value>Code Style</value> <comment>"Code Style" category node under Tools &gt;Options, Basic editor.</comment> </data> <data name="10161" xml:space="preserve"> <value>Qualify with Me;Prefer intrinsic types;Style;Code Style</value> <comment>Code Style options page keywords</comment> </data> <data name="110" xml:space="preserve"> <value>Naming</value> <comment>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</comment> </data> <data name="10162" xml:space="preserve"> <value>Naming Style;Name Styles;Naming Rule;Naming Conventions</value> <comment>Naming Style options page keywords</comment> </data> <data name="111" xml:space="preserve"> <value>General</value> <comment>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</comment> </data> <data name="112" xml:space="preserve"> <value>IntelliSense</value> </data> <data name="312" xml:space="preserve"> <value>Change completion list settings;Pre-select most recently used member</value> <comment>IntelliSense options page keywords</comment> </data> <data name="114" xml:space="preserve"> <value>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</value> <comment>Help &gt; About</comment> </data> <data name="113" xml:space="preserve"> <value>Visual Basic Tools</value> <comment>Help &gt; About</comment> </data> <data name="Visual_Basic_Script" xml:space="preserve"> <value>Visual Basic Script</value> </data> <data name="An_empty_Visual_Basic_script_file" xml:space="preserve"> <value>An empty Visual Basic script file.</value> </data> </root>
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="101" xml:space="preserve"> <value>Visual Basic</value> <comment>Used anywhere the string is needed (that is, everywhere.)</comment> </data> <data name="1012" xml:space="preserve"> <value>Visual Basic Editor with Encoding</value> </data> <data name="1013" xml:space="preserve"> <value>Visual Basic Editor</value> </data> <data name="10160" xml:space="preserve"> <value>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</value> <comment>Advanced options page keywords</comment> </data> <data name="102" xml:space="preserve"> <value>Advanced</value> <comment>"Advanced" node under Tools &gt;Options, Basic editor.</comment> </data> <data name="103" xml:space="preserve"> <value>Basic</value> <comment>"Basic" node in profile Import/Export.</comment> </data> <data name="104" xml:space="preserve"> <value>Basic Editor</value> <comment>"Basic Editor" node in profile Import/Export.</comment> </data> <data name="105" xml:space="preserve"> <value>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</value> <comment>"Basic" node help text in profile Import/Export.</comment> </data> <data name="106" xml:space="preserve"> <value>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</value> <comment>"Basic Editor" node help text in profile Import/Export.</comment> </data> <data name="107" xml:space="preserve"> <value>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</value> <comment>Profile description in profile Reset All Settings.</comment> </data> <data name="108" xml:space="preserve"> <value>Microsoft Visual Basic</value> <comment>Used for String in Tools &gt; Options, Text Editor, File Extensions</comment> </data> <data name="109" xml:space="preserve"> <value>Code Style</value> <comment>"Code Style" category node under Tools &gt;Options, Basic editor.</comment> </data> <data name="10161" xml:space="preserve"> <value>Qualify with Me;Prefer intrinsic types;Style;Code Style</value> <comment>Code Style options page keywords</comment> </data> <data name="110" xml:space="preserve"> <value>Naming</value> <comment>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</comment> </data> <data name="10162" xml:space="preserve"> <value>Naming Style;Name Styles;Naming Rule;Naming Conventions</value> <comment>Naming Style options page keywords</comment> </data> <data name="111" xml:space="preserve"> <value>General</value> <comment>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</comment> </data> <data name="112" xml:space="preserve"> <value>IntelliSense</value> </data> <data name="312" xml:space="preserve"> <value>Change completion list settings;Pre-select most recently used member</value> <comment>IntelliSense options page keywords</comment> </data> <data name="114" xml:space="preserve"> <value>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</value> <comment>Help &gt; About</comment> </data> <data name="113" xml:space="preserve"> <value>Visual Basic Tools</value> <comment>Help &gt; About</comment> </data> <data name="Visual_Basic_Script" xml:space="preserve"> <value>Visual Basic Script</value> </data> <data name="An_empty_Visual_Basic_script_file" xml:space="preserve"> <value>An empty Visual Basic script file.</value> </data> </root>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.cs.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="cs" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor s kódováním</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Zobrazovat vložené nápovědy;Automatické vložení koncových konstruktorů;Změnit nastavení přehledného výpisu;Změnit režim sbalení;Automatické vkládání členů Interface a MustOverride;Zobrazit nebo skrýt oddělovače řádků procedur;Zapnout nebo vypnout návrhy oprav;Zapnout nebo vypnout zvýrazňování odkazů a klíčových slov;Regex;Obarvit regulární výrazy;Zvýrazňovat související komponenty pod kurzorem;Nahlásit neplatné regulární výrazy;reg. výr.;regulární výraz;Používat rozšířené barvy;Barevné schéma editoru;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Upřesnit</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Základní</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Možnosti, které ovládají funkce obecného editoru včetně dokončování příkazů Intellisense, zobrazení čísla řádku a navigaci adres URL jedním kliknutím.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Možnosti, které ovládají funkce editoru jazyka Visual Basic včetně automatického vkládání konců konstrukcí, oddělovačů řádků procedur a automatického formátování kódu.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimalizuje prostředí, abyste mohli všechnu pozornost věnovat vytváření aplikací světové úrovně. Tato kolekce nastavení obsahuje vlastní nastavení rozložení okna, nabídek příkazů a klávesových zkratek, aby běžné příkazy Visual Basicu byly přístupnější.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Styl kódu</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Kvalifikovat pomocí klíčového slova Me;Upřednostňovat vnitřní typy;Styl;Styl kódu</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Pojmenování</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Styl pojmenování;Styly názvů;Pravidlo pojmenování;Konvence pojmenování</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Obecné</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Změnit nastavení pro seznam dokončení;Předvolit naposledy použitou položku</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Komponenty Visual Basicu použité v IDE. V závislosti na typu vašeho projektu a nastavení se může použít jiná verze kompilátoru.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Nástroje Visual Basicu</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Prázdný soubor skriptu Visual Basicu</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Skript Visual Basicu</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="cs" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor s kódováním</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Zobrazovat vložené nápovědy;Automatické vložení koncových konstruktorů;Změnit nastavení přehledného výpisu;Změnit režim sbalení;Automatické vkládání členů Interface a MustOverride;Zobrazit nebo skrýt oddělovače řádků procedur;Zapnout nebo vypnout návrhy oprav;Zapnout nebo vypnout zvýrazňování odkazů a klíčových slov;Regex;Obarvit regulární výrazy;Zvýrazňovat související komponenty pod kurzorem;Nahlásit neplatné regulární výrazy;reg. výr.;regulární výraz;Používat rozšířené barvy;Barevné schéma editoru;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Upřesnit</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Základní</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Možnosti, které ovládají funkce obecného editoru včetně dokončování příkazů Intellisense, zobrazení čísla řádku a navigaci adres URL jedním kliknutím.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Možnosti, které ovládají funkce editoru jazyka Visual Basic včetně automatického vkládání konců konstrukcí, oddělovačů řádků procedur a automatického formátování kódu.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimalizuje prostředí, abyste mohli všechnu pozornost věnovat vytváření aplikací světové úrovně. Tato kolekce nastavení obsahuje vlastní nastavení rozložení okna, nabídek příkazů a klávesových zkratek, aby běžné příkazy Visual Basicu byly přístupnější.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Styl kódu</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Kvalifikovat pomocí klíčového slova Me;Upřednostňovat vnitřní typy;Styl;Styl kódu</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Pojmenování</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Styl pojmenování;Styly názvů;Pravidlo pojmenování;Konvence pojmenování</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Obecné</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Změnit nastavení pro seznam dokončení;Předvolit naposledy použitou položku</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Komponenty Visual Basicu použité v IDE. V závislosti na typu vašeho projektu a nastavení se může použít jiná verze kompilátoru.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Nástroje Visual Basicu</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Prázdný soubor skriptu Visual Basicu</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Skript Visual Basicu</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.de.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic-Editor mit Codierung</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic-Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Inline-Hinweise anzeigen;Endkonstrukte automatisch einfügen;Einstellungen für automatische Strukturierung und Einrückung ändern;Gliederungsmodus ändern;Schnittstellen- und MustOverride-Member automatisch einfügen;Zeilentrennzeichen zwischen Prozeduren anzeigen oder ausblenden;Vorschläge für Fehlerkorrektur ein- oder ausschalten;Hervorhebung von Verweisen und Schlüsselwörtern ein- oder ausschalten;Regex;Reguläre Ausdrücke farbig markieren;Verwandte Komponenten unter Cursor hervorheben;Ungültige reguläre Ausdrücke melden;regex;regulärer Ausdruck;nErweiterte Farben verwenden;Editor-Farbschema;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Erweitert</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Standard</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Optionen, die allgemeine Editor-Funktionen steuern, z.B. IntelliSense-Anweisungsvervollständigung, Zeilenanzahlanzeige und einfaches Klicken für URLs.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Optionen, die Editor-Funktionen in Visual Basic steuern, z.B. automatisches Einfügen von End-Konstrukten, Zeilentrennzeichen zwischen Prozeduren und automatische Codeformatierung.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimiert die Umgebung, sodass Sie sich auf das Erstellen hervorragender Anwendungen konzentrieren können. Diese Einstellungssammlung enthält Anpassungen am Windows-Layout, an Befehlsmenüs und Tastenkombinationen, damit gängige Visual Basic-Befehle leichter zugänglich sind.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Codeformat</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Mit Me qualifizieren; Intrinsische Typen bevorzugen; Format; Codeformat</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Benennung</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Benennungsstil;Namenstile;Benennungsregel;Namenskonventionen</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Allgemein</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Einstellungen der Vervollständigungsliste ändern;Vorauswahl des zuletzt verwendeten Members</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Visual Basic-Komponenten, die in der IDE verwendet werden. Abhängig von Ihrem Projekttyp und den zugehörigen Einstellungen kann eine andere Version des Compilers verwendet werden.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic-Tools</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Eine leere Visual Basic-Skriptdatei.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic-Skript</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic-Editor mit Codierung</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic-Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Inline-Hinweise anzeigen;Endkonstrukte automatisch einfügen;Einstellungen für automatische Strukturierung und Einrückung ändern;Gliederungsmodus ändern;Schnittstellen- und MustOverride-Member automatisch einfügen;Zeilentrennzeichen zwischen Prozeduren anzeigen oder ausblenden;Vorschläge für Fehlerkorrektur ein- oder ausschalten;Hervorhebung von Verweisen und Schlüsselwörtern ein- oder ausschalten;Regex;Reguläre Ausdrücke farbig markieren;Verwandte Komponenten unter Cursor hervorheben;Ungültige reguläre Ausdrücke melden;regex;regulärer Ausdruck;nErweiterte Farben verwenden;Editor-Farbschema;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Erweitert</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Standard</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Optionen, die allgemeine Editor-Funktionen steuern, z.B. IntelliSense-Anweisungsvervollständigung, Zeilenanzahlanzeige und einfaches Klicken für URLs.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Optionen, die Editor-Funktionen in Visual Basic steuern, z.B. automatisches Einfügen von End-Konstrukten, Zeilentrennzeichen zwischen Prozeduren und automatische Codeformatierung.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimiert die Umgebung, sodass Sie sich auf das Erstellen hervorragender Anwendungen konzentrieren können. Diese Einstellungssammlung enthält Anpassungen am Windows-Layout, an Befehlsmenüs und Tastenkombinationen, damit gängige Visual Basic-Befehle leichter zugänglich sind.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Codeformat</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Mit Me qualifizieren; Intrinsische Typen bevorzugen; Format; Codeformat</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Benennung</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Benennungsstil;Namenstile;Benennungsregel;Namenskonventionen</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Allgemein</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Einstellungen der Vervollständigungsliste ändern;Vorauswahl des zuletzt verwendeten Members</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Visual Basic-Komponenten, die in der IDE verwendet werden. Abhängig von Ihrem Projekttyp und den zugehörigen Einstellungen kann eine andere Version des Compilers verwendet werden.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic-Tools</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Eine leere Visual Basic-Skriptdatei.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic-Skript</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Editor de Visual Basic con Encoding</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Editor de Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Mostrar sugerencias insertadas;Inserción automática de construcciones End;Cambiar configuración de la lista descriptiva;Cambiar modo de esquematización;Inserción automática de miembros Interface y MustOverride;Mostrar u ocultar separadores de línea de procedimientos;Activar o desactivar sugerencias de corrección de errores;Activar o desactivar resaltado de referencias y palabras clave;Regex;Colorear expresiones regulares;Resaltar componentes relacionados bajo el cursor;Informar sobre expresiones regulares no válidas;regex;expresión regular;Usar colores mejorados;Combinación de colores del editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Opciones avanzadas</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Basic</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Editor de Basic</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opciones que controlan las funcionalidades generales del editor entre las que se incluyen finalización de instrucciones de IntelliSense, visualización del número de líneas y navegación a direcciones URL con un sólo clic.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opciones que controlan las funcionalidades del editor de Visual Basic entre las que se incluyen la inserción automática de construcciones End, separadores de línea de procedimientos y formato de código automático.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimiza el entorno para permitirle centrarse en la creación de aplicaciones de primer nivel. Esta colección de valores contiene personalizaciones del diseño de ventanas, los menús de comandos y los métodos abreviados de teclado para hacer más accesibles los comandos de Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Estilo de código</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Calificar con Me;Tipos intrínsecos Prefer;Estilo;Estilo de código</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nomenclatura</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Estilo de nomenclatura;Estilos de nombre;Regla de nomenclatura;Convenciones de nomenclatura</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">General</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Cambiar configuración de la lista de finalización;Preseleccionar el miembro usado recientemente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Los componentes de Visual Basic utilizados en el IDE. En función del tipo de proyecto y la configuración, se podría utilizar una versión diferente del compilador.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Herramientas de Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Un archivo de script de Visual Basic vacío.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script de Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Editor de Visual Basic con Encoding</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Editor de Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Mostrar sugerencias insertadas;Inserción automática de construcciones End;Cambiar configuración de la lista descriptiva;Cambiar modo de esquematización;Inserción automática de miembros Interface y MustOverride;Mostrar u ocultar separadores de línea de procedimientos;Activar o desactivar sugerencias de corrección de errores;Activar o desactivar resaltado de referencias y palabras clave;Regex;Colorear expresiones regulares;Resaltar componentes relacionados bajo el cursor;Informar sobre expresiones regulares no válidas;regex;expresión regular;Usar colores mejorados;Combinación de colores del editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Opciones avanzadas</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Basic</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Editor de Basic</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opciones que controlan las funcionalidades generales del editor entre las que se incluyen finalización de instrucciones de IntelliSense, visualización del número de líneas y navegación a direcciones URL con un sólo clic.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opciones que controlan las funcionalidades del editor de Visual Basic entre las que se incluyen la inserción automática de construcciones End, separadores de línea de procedimientos y formato de código automático.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimiza el entorno para permitirle centrarse en la creación de aplicaciones de primer nivel. Esta colección de valores contiene personalizaciones del diseño de ventanas, los menús de comandos y los métodos abreviados de teclado para hacer más accesibles los comandos de Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Estilo de código</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Calificar con Me;Tipos intrínsecos Prefer;Estilo;Estilo de código</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nomenclatura</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Estilo de nomenclatura;Estilos de nombre;Regla de nomenclatura;Convenciones de nomenclatura</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">General</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Cambiar configuración de la lista de finalización;Preseleccionar el miembro usado recientemente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Los componentes de Visual Basic utilizados en el IDE. En función del tipo de proyecto y la configuración, se podría utilizar una versión diferente del compilador.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Herramientas de Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Un archivo de script de Visual Basic vacío.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script de Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.fr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor avec encodage</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Afficher les indicateurs inline;Insertion automatique des constructions de fin;Changer les paramètres de listing en mode Pretty;Changer le mode Plan;Insertion automatique des membres Interface et MustOverride;Afficher ou masquer les séparateurs de ligne de procédure;Activer ou désactiver les suggestions de correction d'erreurs;Activer ou désactiver la mise en surbrillance des références et des mots clés;Regex;Mettre en couleurs les expressions régulières;Mettre en surbrillance les composants connexes sous le curseur;Signaler les expressions régulières non valides;regex;expression régulière;Utiliser des couleurs améliorées;Modèle de couleurs de l'éditeur;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avancé</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">De base</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Éditeur de base</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Options qui contrôlent les fonctionnalités générales de l'éditeur, y compris la saisie semi-automatique d'instructions Intellisense, l'affichage des numéros de ligne et la navigation dans les URL par simple clic.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Options qui contrôlent les fonctionnalités de base de Visual Basic Editor, y compris l'insertion de constructions de fin, les séparateurs de ligne de procédure et la mise en forme automatique du code.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimisez l'environnement afin que vous puissiez vous concentrer sur la création d'applications de haut niveau. Cet ensemble de paramètres contient des personnalisations de la disposition des fenêtres, des menus de commandes et des raccourcis clavier pour rendre les commandes Visual Basic courantes plus accessibles.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Style de code</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualifier avec Me;Préférer les types intrinsèques;Style;Style de code</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nommage</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Style de nommage;Styles de nom;Règle de nommage;Conventions de nommage</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Général</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Modifier les paramètres de la liste de saisie semi-automatique ; Présélectionner le dernier membre utilisé</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Composants Visual Basic utilisés dans l'IDE. Selon votre type de projet et vos paramètres, une version différente du compilateur peut être utilisée.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Outils Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Fichier de script Visual Basic vide.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor avec encodage</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Afficher les indicateurs inline;Insertion automatique des constructions de fin;Changer les paramètres de listing en mode Pretty;Changer le mode Plan;Insertion automatique des membres Interface et MustOverride;Afficher ou masquer les séparateurs de ligne de procédure;Activer ou désactiver les suggestions de correction d'erreurs;Activer ou désactiver la mise en surbrillance des références et des mots clés;Regex;Mettre en couleurs les expressions régulières;Mettre en surbrillance les composants connexes sous le curseur;Signaler les expressions régulières non valides;regex;expression régulière;Utiliser des couleurs améliorées;Modèle de couleurs de l'éditeur;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avancé</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">De base</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Éditeur de base</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Options qui contrôlent les fonctionnalités générales de l'éditeur, y compris la saisie semi-automatique d'instructions Intellisense, l'affichage des numéros de ligne et la navigation dans les URL par simple clic.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Options qui contrôlent les fonctionnalités de base de Visual Basic Editor, y compris l'insertion de constructions de fin, les séparateurs de ligne de procédure et la mise en forme automatique du code.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optimisez l'environnement afin que vous puissiez vous concentrer sur la création d'applications de haut niveau. Cet ensemble de paramètres contient des personnalisations de la disposition des fenêtres, des menus de commandes et des raccourcis clavier pour rendre les commandes Visual Basic courantes plus accessibles.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Style de code</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualifier avec Me;Préférer les types intrinsèques;Style;Style de code</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nommage</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Style de nommage;Styles de nom;Règle de nommage;Conventions de nommage</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Général</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Modifier les paramètres de la liste de saisie semi-automatique ; Présélectionner le dernier membre utilisé</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Composants Visual Basic utilisés dans l'IDE. Selon votre type de projet et vos paramètres, une version différente du compilateur peut être utilisée.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Outils Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Fichier de script Visual Basic vide.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.it.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor con codifica</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Visualizza suggerimenti inline;Inserimento automatico di costrutti End;Modifica impostazioni di riformattazione;Modifica modalità struttura;Inserimento automatico di membri Interface e MustOverride;Mostra o nascondi separatori di riga routine;Attiva o disattiva i suggerimenti per la correzione degli errori;Attiva o disattiva l'evidenziazione di riferimenti e parole chiave;Regex;Colora espressioni regolari;Evidenzia i componenti correlati sotto il cursore;Segnala espressioni regolari non valide;regex;espressione regolare;Usa colori migliorati;Combinazione colori editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avanzate</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Di base</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opzioni che controllano le funzionalità generiche dell'editor, tra cui il completamento Intellisense delle istruzioni, la visualizzazione del numero di riga e l'apertura di URL con clic singolo.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opzioni che controllano le funzionalità di Visual Basic Editor, tra cui l'inserimento automatico di costrutti End, i separatori di riga routine e la formattazione automatica del codice.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Ottimizza l'ambiente in modo da favorire la compilazione di applicazioni di qualità elevata. Questa raccolta di impostazioni contiene personalizzazioni relative a layout della finestra, menu dei comandi e tasti di scelta rapida per rendere più accessibili i comandi più usati di Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Stile codice</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualifica con utente;Preferisci tipi intrinseci;Stile;Stile codice</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Denominazione</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Stile di denominazione;Stili nomi;Regola di denominazione;Convenzioni di denominazione</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Generale</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Modifica impostazioni dell'elenco di completamento;Preseleziona membri usati di recente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Componenti di Visual Basic usati nell'IDE. A seconda del tipo e delle impostazioni del processo, è possibile che venga usata una versione diversa del compilatore.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Strumenti di Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">File script di Visual Basic vuoto.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script di Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor con codifica</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Visualizza suggerimenti inline;Inserimento automatico di costrutti End;Modifica impostazioni di riformattazione;Modifica modalità struttura;Inserimento automatico di membri Interface e MustOverride;Mostra o nascondi separatori di riga routine;Attiva o disattiva i suggerimenti per la correzione degli errori;Attiva o disattiva l'evidenziazione di riferimenti e parole chiave;Regex;Colora espressioni regolari;Evidenzia i componenti correlati sotto il cursore;Segnala espressioni regolari non valide;regex;espressione regolare;Usa colori migliorati;Combinazione colori editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avanzate</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Di base</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic Editor</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opzioni che controllano le funzionalità generiche dell'editor, tra cui il completamento Intellisense delle istruzioni, la visualizzazione del numero di riga e l'apertura di URL con clic singolo.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opzioni che controllano le funzionalità di Visual Basic Editor, tra cui l'inserimento automatico di costrutti End, i separatori di riga routine e la formattazione automatica del codice.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Ottimizza l'ambiente in modo da favorire la compilazione di applicazioni di qualità elevata. Questa raccolta di impostazioni contiene personalizzazioni relative a layout della finestra, menu dei comandi e tasti di scelta rapida per rendere più accessibili i comandi più usati di Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Stile codice</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualifica con utente;Preferisci tipi intrinseci;Stile;Stile codice</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Denominazione</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Stile di denominazione;Stili nomi;Regola di denominazione;Convenzioni di denominazione</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Generale</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Modifica impostazioni dell'elenco di completamento;Preseleziona membri usati di recente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Componenti di Visual Basic usati nell'IDE. A seconda del tipo e delle impostazioni del processo, è possibile che venga usata una versione diversa del compilatore.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Strumenti di Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">File script di Visual Basic vuoto.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script di Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.ja.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ja" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">エンコード付き Visual Basic エディター</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic エディター</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">インラインのヒントを表示する;コンストラクトの終端の自動挿入;再フォーマット設定の変更;アウトライン モードの変更;Interface と MustOverride メンバーの自動挿入;プロシージャ行の区切り記号の表示/非表示;エラー修正候補のオン/オフの切り替え;参照とキーワードの強調表示のオン/オフの切り替え;Regex;正規表現の色付け;カーソルの下の関連コンポーネントの強調表示;無効な正規表現の報告;Regex;正規表現;拡張された色を使用する;エディターの配色;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">詳細</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">基本エディター</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Intellisense 入力候補、行番号の表示、シングル クリックでの URL ナビゲーションなどの全般的なエディター機能を設定するオプションです。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">構造文の終端の自動挿入、プロシージャ行の区切り記号、自動コード書式設定などの Visual Basic エディター機能を設定するオプションです。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">ユーザーが国際的レベルのアプリケーションの開発に取り組めるように、環境を最適化します。この設定には、ウィンドウのレイアウトやコマンド メニューのカスタマイズ、および Visual Basic の共通コマンドを利用しやすくするキーボードのショートカットのカスタマイズが含まれます。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">コード スタイル</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me で修飾;組み込み型を推奨;スタイル;コード スタイル</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">名前付け</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">名前付けのスタイル;名前のスタイル;名前付けルール;名前付けの規則</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">全般</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">入力候補一覧の設定を変更する;最近使用されたメンバーをあらかじめ選択する</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE で使用する Visual Basic コンポーネント。プロジェクトの種類や設定に応じて、異なるバージョンのコンパイラを使用できます。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic ツール</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空の Visual Basic スクリプト ファイル。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic スクリプト</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ja" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">エンコード付き Visual Basic エディター</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic エディター</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">インラインのヒントを表示する;コンストラクトの終端の自動挿入;再フォーマット設定の変更;アウトライン モードの変更;Interface と MustOverride メンバーの自動挿入;プロシージャ行の区切り記号の表示/非表示;エラー修正候補のオン/オフの切り替え;参照とキーワードの強調表示のオン/オフの切り替え;Regex;正規表現の色付け;カーソルの下の関連コンポーネントの強調表示;無効な正規表現の報告;Regex;正規表現;拡張された色を使用する;エディターの配色;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">詳細</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">基本エディター</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Intellisense 入力候補、行番号の表示、シングル クリックでの URL ナビゲーションなどの全般的なエディター機能を設定するオプションです。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">構造文の終端の自動挿入、プロシージャ行の区切り記号、自動コード書式設定などの Visual Basic エディター機能を設定するオプションです。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">ユーザーが国際的レベルのアプリケーションの開発に取り組めるように、環境を最適化します。この設定には、ウィンドウのレイアウトやコマンド メニューのカスタマイズ、および Visual Basic の共通コマンドを利用しやすくするキーボードのショートカットのカスタマイズが含まれます。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">コード スタイル</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me で修飾;組み込み型を推奨;スタイル;コード スタイル</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">名前付け</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">名前付けのスタイル;名前のスタイル;名前付けルール;名前付けの規則</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">全般</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">入力候補一覧の設定を変更する;最近使用されたメンバーをあらかじめ選択する</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE で使用する Visual Basic コンポーネント。プロジェクトの種類や設定に応じて、異なるバージョンのコンパイラを使用できます。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic ツール</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空の Visual Basic スクリプト ファイル。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic スクリプト</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.ko.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor(인코딩 사용)</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">인라인 힌트 표시; 맺음 구문 자동 삽입; 자동 서식 지정 설정 변경; 개요 모드 변경; 인터페이스 및 MustOverride 멤버 자동 삽입; 프로시저 줄 구분 기호 표시/숨기기; 오류 수정 제안 설정/해제; 참조 및 키워드 강조 표시 설정/해제; Regex; 정규식 색 지정; 커서 아래의 관련 구성 요소 강조 표시; 잘못된 정규식 보고; regex; 정규식; 향상된 색 사용; 편집기 색 구성표;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">고급</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">기본</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">기본 편집기</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">IntelliSense 문 완성, 줄 번호 표시 및 한 번 클릭으로 URL 탐색 등과 같은 일반 편집기 기능을 제어하는 옵션입니다.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">맺음 구문 자동 삽입, 프로시저 줄 구분선 및 자동 코드 서식 등과 같은 Visual Basic 편집기 기능을 제어하는 옵션입니다.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">국제적인 애플리케이션을 빌드하는 데 주력할 수 있도록 개발 환경을 최적화합니다. 이 설정 모음에는 창 레이아웃, 명령 메뉴 및 바로 가기 키에 대한 사용자 지정이 포함되므로 일반적으로 사용되는 Visual Basic 명령에 쉽게 액세스할 수 있습니다.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">코드 스타일</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me를 사용하여 한정;내재 형식 선호;스타일;코드 스타일</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">명명</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">명명 스타일;이름 스타일;명명 규칙;명명 규칙</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">일반</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">완성 목록 설정 변경;가장 최근에 사용한 멤버 미리 선택</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE에서 사용되는 Visual Basic 구성 요소입니다. 프로젝트 형식 및 설정에 따라 다른 버전의 컴파일러를 사용할 수 있습니다.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 도구</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">비어 있는 Visual Basic 스크립트 파일입니다.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 스크립트</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Visual Basic Editor(인코딩 사용)</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Editor</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">인라인 힌트 표시; 맺음 구문 자동 삽입; 자동 서식 지정 설정 변경; 개요 모드 변경; 인터페이스 및 MustOverride 멤버 자동 삽입; 프로시저 줄 구분 기호 표시/숨기기; 오류 수정 제안 설정/해제; 참조 및 키워드 강조 표시 설정/해제; Regex; 정규식 색 지정; 커서 아래의 관련 구성 요소 강조 표시; 잘못된 정규식 보고; regex; 정규식; 향상된 색 사용; 편집기 색 구성표;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">고급</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">기본</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">기본 편집기</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">IntelliSense 문 완성, 줄 번호 표시 및 한 번 클릭으로 URL 탐색 등과 같은 일반 편집기 기능을 제어하는 옵션입니다.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">맺음 구문 자동 삽입, 프로시저 줄 구분선 및 자동 코드 서식 등과 같은 Visual Basic 편집기 기능을 제어하는 옵션입니다.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">국제적인 애플리케이션을 빌드하는 데 주력할 수 있도록 개발 환경을 최적화합니다. 이 설정 모음에는 창 레이아웃, 명령 메뉴 및 바로 가기 키에 대한 사용자 지정이 포함되므로 일반적으로 사용되는 Visual Basic 명령에 쉽게 액세스할 수 있습니다.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">코드 스타일</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me를 사용하여 한정;내재 형식 선호;스타일;코드 스타일</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">명명</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">명명 스타일;이름 스타일;명명 규칙;명명 규칙</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">일반</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">완성 목록 설정 변경;가장 최근에 사용한 멤버 미리 선택</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE에서 사용되는 Visual Basic 구성 요소입니다. 프로젝트 형식 및 설정에 따라 다른 버전의 컴파일러를 사용할 수 있습니다.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 도구</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">비어 있는 Visual Basic 스크립트 파일입니다.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 스크립트</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.pl.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Edytor Visual Basic z kodowaniem</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Edytor Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Wyświetlaj wskazówki w tekście;Automatyczne wstawianie konstrukcji końcowych;Zmień ustawienia formatowania kodu;Zmień tryb konspektu;Automatyczne wstawianie składowych Interface i MustOverride;Pokaż lub ukryj separatory wierszy procedury;Włącz lub wyłącz sugestie dotyczące poprawy błędów;Włącz lub wyłącz wyróżnianie odwołań i słów kluczowych;Wyrażenie regularne;Koloruj wyrażenia regularne;Wyróżnij pokrewne składniki wskazane przez kursor;Zgłaszaj nieprawidłowe wyrażenia regularne;wyrażenie regularne;wyrażenie regularne;Użyj ulepszonych kolorów;Schemat kolorów edytora;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Zaawansowane</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Podstawowe</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Edytor podstawowy</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opcje obsługujące podstawowe funkcje edycji, takie jak uzupełnianie instrukcji za pomocą funkcji Intellisense, wyświetlanie numerów wierszy i nawigacja URL przy użyciu jednego kliknięcia.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opcje obsługujące funkcje edycji w programie Visual Basic, takie jak wstawianie konstrukcji końcowych, separatory wierszy procedury i automatyczne formatowanie kodu.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optymalizuje środowisko, dzięki czemu możesz się skupić na tworzeniu światowej klasy aplikacji. Ta kolekcja ustawień zawiera dostosowania układu okna, menu poleceń i skrótów klawiaturowych zapewniające łatwiejszy dostęp do często używanych poleceń języka Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Styl kodu</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Kwalifikuj w powiązaniu ze mną;Preferuj typy wewnętrzne;Styl;Styl kodu</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nazewnictwo</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Styl nazewnictwa;Style nazw;Reguła nazewnictwa;Konwencje nazewnictwa</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Ogólne</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Zmień ustawienia listy uzupełniania;Wybierz wstępnie ostatnio używaną składową</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Składniki języka Visual Basic używane w środowisku IDE. Zależnie od typu projektu i jego ustawień może być używana inna wersja kompilatora.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Narzędzia języka Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Pusty plik skryptu języka Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Skrypt języka Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Edytor Visual Basic z kodowaniem</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Edytor Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Wyświetlaj wskazówki w tekście;Automatyczne wstawianie konstrukcji końcowych;Zmień ustawienia formatowania kodu;Zmień tryb konspektu;Automatyczne wstawianie składowych Interface i MustOverride;Pokaż lub ukryj separatory wierszy procedury;Włącz lub wyłącz sugestie dotyczące poprawy błędów;Włącz lub wyłącz wyróżnianie odwołań i słów kluczowych;Wyrażenie regularne;Koloruj wyrażenia regularne;Wyróżnij pokrewne składniki wskazane przez kursor;Zgłaszaj nieprawidłowe wyrażenia regularne;wyrażenie regularne;wyrażenie regularne;Użyj ulepszonych kolorów;Schemat kolorów edytora;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Zaawansowane</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Podstawowe</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Edytor podstawowy</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opcje obsługujące podstawowe funkcje edycji, takie jak uzupełnianie instrukcji za pomocą funkcji Intellisense, wyświetlanie numerów wierszy i nawigacja URL przy użyciu jednego kliknięcia.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opcje obsługujące funkcje edycji w programie Visual Basic, takie jak wstawianie konstrukcji końcowych, separatory wierszy procedury i automatyczne formatowanie kodu.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Optymalizuje środowisko, dzięki czemu możesz się skupić na tworzeniu światowej klasy aplikacji. Ta kolekcja ustawień zawiera dostosowania układu okna, menu poleceń i skrótów klawiaturowych zapewniające łatwiejszy dostęp do często używanych poleceń języka Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Styl kodu</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Kwalifikuj w powiązaniu ze mną;Preferuj typy wewnętrzne;Styl;Styl kodu</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nazewnictwo</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Styl nazewnictwa;Style nazw;Reguła nazewnictwa;Konwencje nazewnictwa</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Ogólne</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Zmień ustawienia listy uzupełniania;Wybierz wstępnie ostatnio używaną składową</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Składniki języka Visual Basic używane w środowisku IDE. Zależnie od typu projektu i jego ustawień może być używana inna wersja kompilatora.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Narzędzia języka Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Pusty plik skryptu języka Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Skrypt języka Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.pt-BR.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pt-BR" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Editor do Visual Basic com Codificação</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Editor do Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Exibir as dicas embutidas;Inserção automática de constructos finais;Alterar as configurações de reformatação automática;Alterar o modo de estrutura de tópicos;Inserção automática dos membros Interface e MustOverride;Mostrar ou ocultar os separadores de linha de procedimento;Ativar ou desativar as sugestões para correção de erros;Ativar ou desativar o realce de referências e palavras-chave;Regex;Colorir as expressões regulares;Realçar os componentes relacionados sob o cursor;Relatar as expressões regulares inválidas;regex;expressão regular;Usar cores avançadas;Esquema de Cores do Editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avançado</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Básico</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Editor Básico</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opções que controlam recursos gerais do editor, como preenchimento de instruções Intellisense, exibição do número de linhas e navegação de URL com um clique.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opções que controlam recursos do editor do Visual Basic, como inserção automática de construtores end, separadores de linhas de procedimento e formatação de código automática.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Otimiza o ambiente para que você possa se concentrar na criação de aplicativos de classe mundial. Esta coleção de configurações contém personalizações para o layout da janela, menus de comandos e atalhos de teclado para tornar os comandos comuns do Visual Basic mais acessíveis.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Estilo do Código</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualificar com Me;Preferir tipos intrínsecos;Estilo;Estilo do Código</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nomenclatura</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Estilo de Nomenclatura;Estilos de Nome;Regra de Nomenclatura;Convenções de Nomenclatura</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Geral</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Alterar as configurações de lista de conclusão;pre-selecionar membro usado recentemente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Componentes do Visual Basic usados no IDE. Dependendo do seu tipo de projeto e configurações, uma versão diferente do compilador poderá ser usada.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Ferramentas do Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Um arquivo de script vazio do Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script do Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pt-BR" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Editor do Visual Basic com Codificação</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Editor do Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Exibir as dicas embutidas;Inserção automática de constructos finais;Alterar as configurações de reformatação automática;Alterar o modo de estrutura de tópicos;Inserção automática dos membros Interface e MustOverride;Mostrar ou ocultar os separadores de linha de procedimento;Ativar ou desativar as sugestões para correção de erros;Ativar ou desativar o realce de referências e palavras-chave;Regex;Colorir as expressões regulares;Realçar os componentes relacionados sob o cursor;Relatar as expressões regulares inválidas;regex;expressão regular;Usar cores avançadas;Esquema de Cores do Editor;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Avançado</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Básico</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Editor Básico</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Opções que controlam recursos gerais do editor, como preenchimento de instruções Intellisense, exibição do número de linhas e navegação de URL com um clique.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Opções que controlam recursos do editor do Visual Basic, como inserção automática de construtores end, separadores de linhas de procedimento e formatação de código automática.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Otimiza o ambiente para que você possa se concentrar na criação de aplicativos de classe mundial. Esta coleção de configurações contém personalizações para o layout da janela, menus de comandos e atalhos de teclado para tornar os comandos comuns do Visual Basic mais acessíveis.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Estilo do Código</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Qualificar com Me;Preferir tipos intrínsecos;Estilo;Estilo do Código</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Nomenclatura</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Estilo de Nomenclatura;Estilos de Nome;Regra de Nomenclatura;Convenções de Nomenclatura</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Geral</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Alterar as configurações de lista de conclusão;pre-selecionar membro usado recentemente</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Componentes do Visual Basic usados no IDE. Dependendo do seu tipo de projeto e configurações, uma versão diferente do compilador poderá ser usada.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Ferramentas do Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Um arquivo de script vazio do Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Script do Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.ru.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Редактор Visual Basic с кодировкой</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Редактор Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Отображать встроенные подсказки;Автоматическая вставка конечных конструкций;Изменение параметров автоматического форматирования;Изменение режима структуры;Автоматическая вставка интерфейса и элементов MustOverride;Отображение или скрытие разделителей строк для процедуры;Включение или отключение предложений об исправлении ошибок;Включение или отключение выделения ссылок и ключевых слов;Регулярные выражения;Выделение регулярных выражений цветом;Выделение связанных компонентов под курсором;Выделение недопустимых регулярных выражений;регулярное выражение;регулярное выражение;Использование расширенных цветов;Цветовая схема редактора;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Дополнительный</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Обычный</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Редактор Basic</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Параметры, которые управляют общими компонентами редактора, включая завершение операторов Intellisense, отображение номера строки и навигацию по URL-адресам одним нажатием.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Параметры, которые управляют компонентами редактора Visual Basic, включая автоматическую вставку конечных структур, разделители строк для процедуры и автоматическое форматирование кода.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Оптимизирует окружение, чтобы вы могли сосредоточиться на создании приложений мирового класса. Эта коллекция параметров содержит пользовательские настройки макета окна, меню команд и сочетания клавиш и создана для того, чтобы сделать более доступными стандартные команды Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Стиль кода</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Квалифицировать с помощью Me;Предпочитать внутренние типы;Стиль;Стиль кода</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Именование</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Стиль именования;стили имен;правило именования;соглашения об именовании</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Общее</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Изменение параметров списка завершения; Предварительный выбор наиболее часто используемого члена</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Компоненты Visual Basic, используемые в интегрированной среде разработки. В зависимости от типа и настроек проекта могут использоваться различные версии компилятора.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Инструменты Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Пустой файл сценария Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Сценарий Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Редактор Visual Basic с кодировкой</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Редактор Visual Basic</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Отображать встроенные подсказки;Автоматическая вставка конечных конструкций;Изменение параметров автоматического форматирования;Изменение режима структуры;Автоматическая вставка интерфейса и элементов MustOverride;Отображение или скрытие разделителей строк для процедуры;Включение или отключение предложений об исправлении ошибок;Включение или отключение выделения ссылок и ключевых слов;Регулярные выражения;Выделение регулярных выражений цветом;Выделение связанных компонентов под курсором;Выделение недопустимых регулярных выражений;регулярное выражение;регулярное выражение;Использование расширенных цветов;Цветовая схема редактора;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Дополнительный</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Обычный</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Редактор Basic</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Параметры, которые управляют общими компонентами редактора, включая завершение операторов Intellisense, отображение номера строки и навигацию по URL-адресам одним нажатием.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Параметры, которые управляют компонентами редактора Visual Basic, включая автоматическую вставку конечных структур, разделители строк для процедуры и автоматическое форматирование кода.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Оптимизирует окружение, чтобы вы могли сосредоточиться на создании приложений мирового класса. Эта коллекция параметров содержит пользовательские настройки макета окна, меню команд и сочетания клавиш и создана для того, чтобы сделать более доступными стандартные команды Visual Basic.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Стиль кода</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Квалифицировать с помощью Me;Предпочитать внутренние типы;Стиль;Стиль кода</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Именование</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Стиль именования;стили имен;правило именования;соглашения об именовании</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Общее</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Изменение параметров списка завершения; Предварительный выбор наиболее часто используемого члена</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">Компоненты Visual Basic, используемые в интегрированной среде разработки. В зависимости от типа и настроек проекта могут использоваться различные версии компилятора.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Инструменты Visual Basic</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Пустой файл сценария Visual Basic.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Сценарий Visual Basic</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Kodlamalı Visual Basic Düzenleyicisi</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Düzenleyicisi</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">Satır içi ipuçlarını göster;Bitiş yapılarının otomatik olarak eklenmesi;Düzgün listeleme ayarlarını değiştir;Ana hat modunu değiştir;Interface ve MustOverride üyelerinin otomatik olarak eklenmesi;Yordam satır ayıraçlarını göster veya gizle;Hata düzeltme önerilerini aç veya kapat;Başvuruları ve anahtar sözcükleri vurgulamayı aç veya kapat;Normal ifade;Normal ifadeleri renklendir;İmlecin altındaki ilgili bileşenleri vurgula;Geçersiz normal ifadeleri bildir;normal ifade;normal ifade;Gelişmiş renkleri kullan;Düzenleyici Renk Düzeni;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Gelişmiş</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Temel</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Temel Düzenleyici</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Intellisense deyim tamamlaması, satır numarasının gösterilmesi ve tek tıkla URL gezintisi gibi genel düzenleyici özelliklerini denetleyen seçenekler.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Bitiş yapılarını otomatik ekleme, yordam satır ayıraçları ve otomatik kod biçimlendirme gibi Visual Basic düzenleyicisi özelliklerini denetleyen seçenekler.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Birinci sınıf uygulamalar oluşturmaya odaklanabilmeniz için ortamı iyileştirir. Bu ayarlar koleksiyonu, genel Visual Basic komutlarını daha erişilebilir yapmak için pencere düzeni, komut menüleri ve klavye kısayolları özelleştirmelerini içerir.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Kod Stili</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me ile nitele; İç türleri tercih et; Stil; Kod Stili</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Adlandırma</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Adlandırma Stili;Adlandırma Stilleri;Adlandırma Kuralı;Adlandırma Kuralları</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Genel</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Tamamlanma listesi ayarlarını değiştir;en son kullanılan üyeyi önceden seç</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE’de kullanılan Visual Basic bileşenleri. Projenizin türüne ve ayarlarına bağlı olarak, derleyicinin farklı bir sürümü kullanılabilir.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic Araçları</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Boş bir Visual Basic betik dosyası.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic Betiği</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">Kodlamalı Visual Basic Düzenleyicisi</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic Düzenleyicisi</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">Satır içi ipuçlarını göster;Bitiş yapılarının otomatik olarak eklenmesi;Düzgün listeleme ayarlarını değiştir;Ana hat modunu değiştir;Interface ve MustOverride üyelerinin otomatik olarak eklenmesi;Yordam satır ayıraçlarını göster veya gizle;Hata düzeltme önerilerini aç veya kapat;Başvuruları ve anahtar sözcükleri vurgulamayı aç veya kapat;Normal ifade;Normal ifadeleri renklendir;İmlecin altındaki ilgili bileşenleri vurgula;Geçersiz normal ifadeleri bildir;normal ifade;normal ifade;Gelişmiş renkleri kullan;Düzenleyici Renk Düzeni;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">Gelişmiş</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">Temel</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Temel Düzenleyici</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">Intellisense deyim tamamlaması, satır numarasının gösterilmesi ve tek tıkla URL gezintisi gibi genel düzenleyici özelliklerini denetleyen seçenekler.</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">Bitiş yapılarını otomatik ekleme, yordam satır ayıraçları ve otomatik kod biçimlendirme gibi Visual Basic düzenleyicisi özelliklerini denetleyen seçenekler.</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">Birinci sınıf uygulamalar oluşturmaya odaklanabilmeniz için ortamı iyileştirir. Bu ayarlar koleksiyonu, genel Visual Basic komutlarını daha erişilebilir yapmak için pencere düzeni, komut menüleri ve klavye kısayolları özelleştirmelerini içerir.</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">Kod Stili</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">Me ile nitele; İç türleri tercih et; Stil; Kod Stili</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">Adlandırma</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">Adlandırma Stili;Adlandırma Stilleri;Adlandırma Kuralı;Adlandırma Kuralları</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">Genel</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">Tamamlanma listesi ayarlarını değiştir;en son kullanılan üyeyi önceden seç</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE’de kullanılan Visual Basic bileşenleri. Projenizin türüne ve ayarlarına bağlı olarak, derleyicinin farklı bir sürümü kullanılabilir.</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic Araçları</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">Boş bir Visual Basic betik dosyası.</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic Betiği</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.zh-Hans.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">带编码功能的 Visual Basic 编辑器</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic 编辑器</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">显示内联提示;自动插入 End 构造;更改整齐排列设置;更改大纲模式;自动插入 Interface 和 MustOverride 成员;显示或隐藏过程行分隔符;打开或关闭错误纠正建议;打开或关闭引用和关键字的突出显示;正则表达式;对正则表达式着色;突出显示光标下的相关部分;报告无效正则表达式;regex;正则表达式;使用增强色;编辑器配色方案;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">高级</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic 编辑器</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">用于控制常规编辑器功能(包括 Intellisense 语句结束、行号显示和单击 URL 导航)的选项。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">用于控制 Visual Basic 编辑器功能(包括自动插入 End 构造、过程行分隔符和自动设置代码格式)的选项。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">优化环境,使您可以集中精力生成一流的应用程序。此设置集合包含对窗口布局、命令菜单和键盘快捷键的自定义,使得对常用 Visual Basic 命令的访问更加容易。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">代码样式</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">使用"Me"限定权限;首选内部类型;样式;代码样式</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">命名</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名样式;名称样式;命名规则;命名约定</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">常规</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">更改完成列表设置;预先选择最近使用过的成员</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE 中使用的 Visual Basic 组件。可能使用其他版本的编译器,具体取决于你的项目类型和设置。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空的 Visual Basic 脚本文件。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 脚本</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">带编码功能的 Visual Basic 编辑器</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic 编辑器</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">显示内联提示;自动插入 End 构造;更改整齐排列设置;更改大纲模式;自动插入 Interface 和 MustOverride 成员;显示或隐藏过程行分隔符;打开或关闭错误纠正建议;打开或关闭引用和关键字的突出显示;正则表达式;对正则表达式着色;突出显示光标下的相关部分;报告无效正则表达式;regex;正则表达式;使用增强色;编辑器配色方案;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">高级</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic 编辑器</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">用于控制常规编辑器功能(包括 Intellisense 语句结束、行号显示和单击 URL 导航)的选项。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">用于控制 Visual Basic 编辑器功能(包括自动插入 End 构造、过程行分隔符和自动设置代码格式)的选项。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">优化环境,使您可以集中精力生成一流的应用程序。此设置集合包含对窗口布局、命令菜单和键盘快捷键的自定义,使得对常用 Visual Basic 命令的访问更加容易。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">代码样式</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">使用"Me"限定权限;首选内部类型;样式;代码样式</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">命名</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名样式;名称样式;命名规则;命名约定</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">常规</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">更改完成列表设置;预先选择最近使用过的成员</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">IDE 中使用的 Visual Basic 组件。可能使用其他版本的编译器,具体取决于你的项目类型和设置。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空的 Visual Basic 脚本文件。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 脚本</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualBasic/Impl/xlf/VSPackage.zh-Hant.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hant" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">具備編碼功能的 Visual Basic 編輯器</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic 編輯器</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;</source> <target state="needs-review-translation">顯示內嵌提示;自動插入 End 建構;變更美化列表設定;變更大綱模式;自動插入 Interface 和 MustOverride 成員;顯示或隱藏程序行分隔符號;開啟或關閉錯誤修正建議;開啟或關閉參考及關鍵字的醒目提示;Regex;為規則運算式著色;醒目提示游標下的相關元件;回報無效的規則運算式;regex;規則運算式;使用進階色彩;編輯器色彩配置;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">進階</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic 編輯器</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">控制一般編輯器功能的選項,包括 IntelliSense 陳述式完成、顯示行號,以及按一下方式的 URL 巡覽。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">控制 Visual Basic 編輯器功能的選項,包括自動插入 End 建構、程序行分隔符號,以及自動格式化程式碼。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">將環境最佳化,讓您可以專注於建置世界級的應用程式。此設定集合包含視窗配置、命令功能表和鍵盤快速鍵的自訂,能更容易存取常用的 Visual Basic 命令。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">程式碼樣式</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">符合我的資格;優先使用內建類型;樣式;程式碼樣式</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">命名</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名樣式;命名樣式;命名規則;命名慣例</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">一般</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">變更完成清單設定;預先選取最近使用的成員</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">在 IDE 中使用的 Visual Basic 元件。根據您的專案類型與設定,可能會使用其他版本的編譯器。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空白的 Visual Basic 指令碼檔。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 指令碼</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hant" original="../VSPackage.resx"> <body> <trans-unit id="101"> <source>Visual Basic</source> <target state="translated">Visual Basic</target> <note>Used anywhere the string is needed (that is, everywhere.)</note> </trans-unit> <trans-unit id="1012"> <source>Visual Basic Editor with Encoding</source> <target state="translated">具備編碼功能的 Visual Basic 編輯器</target> <note /> </trans-unit> <trans-unit id="1013"> <source>Visual Basic Editor</source> <target state="translated">Visual Basic 編輯器</target> <note /> </trans-unit> <trans-unit id="10160"> <source>Underline reassigned variables;Display inline hints;Automatic insertion of end constructs;Change pretty listing settings;Change outlining mode;Automatic insertion of Interface and MustOverride members;Show or hide procedure line separators;Turn error correction suggestions on or off;Turn highlighting of references and keywords on or off;Regex;Colorize regular expressions;Highlight related components under cursor;Report invalid regular expressions;regex;regular expression;Use enhanced colors;Editor Color Scheme;Inheritance Margin;Import Directives;</source> <target state="needs-review-translation">顯示內嵌提示;自動插入 End 建構;變更美化列表設定;變更大綱模式;自動插入 Interface 和 MustOverride 成員;顯示或隱藏程序行分隔符號;開啟或關閉錯誤修正建議;開啟或關閉參考及關鍵字的醒目提示;Regex;為規則運算式著色;醒目提示游標下的相關元件;回報無效的規則運算式;regex;規則運算式;使用進階色彩;編輯器色彩配置;</target> <note>Advanced options page keywords</note> </trans-unit> <trans-unit id="102"> <source>Advanced</source> <target state="translated">進階</target> <note>"Advanced" node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="103"> <source>Basic</source> <target state="translated">基本</target> <note>"Basic" node in profile Import/Export.</note> </trans-unit> <trans-unit id="104"> <source>Basic Editor</source> <target state="translated">Basic 編輯器</target> <note>"Basic Editor" node in profile Import/Export.</note> </trans-unit> <trans-unit id="105"> <source>Options that control general editor features including Intellisense statement completion, line number display, and single-click URL navigation.</source> <target state="translated">控制一般編輯器功能的選項,包括 IntelliSense 陳述式完成、顯示行號,以及按一下方式的 URL 巡覽。</target> <note>"Basic" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="106"> <source>Options that control Visual Basic editor features including automatic insertion of end constructs, procedure line separators, and automatic code formatting.</source> <target state="translated">控制 Visual Basic 編輯器功能的選項,包括自動插入 End 建構、程序行分隔符號,以及自動格式化程式碼。</target> <note>"Basic Editor" node help text in profile Import/Export.</note> </trans-unit> <trans-unit id="107"> <source>Optimizes the environment so you can focus on building world-class applications. This collection of settings contains customizations to the window layout, command menus and keyboard shortcuts to make common Visual Basic commands more accessible.</source> <target state="translated">將環境最佳化,讓您可以專注於建置世界級的應用程式。此設定集合包含視窗配置、命令功能表和鍵盤快速鍵的自訂,能更容易存取常用的 Visual Basic 命令。</target> <note>Profile description in profile Reset All Settings.</note> </trans-unit> <trans-unit id="108"> <source>Microsoft Visual Basic</source> <target state="translated">Microsoft Visual Basic</target> <note>Used for String in Tools &gt; Options, Text Editor, File Extensions</note> </trans-unit> <trans-unit id="109"> <source>Code Style</source> <target state="translated">程式碼樣式</target> <note>"Code Style" category node under Tools &gt;Options, Basic editor.</note> </trans-unit> <trans-unit id="10161"> <source>Qualify with Me;Prefer intrinsic types;Style;Code Style</source> <target state="translated">符合我的資格;優先使用內建類型;樣式;程式碼樣式</target> <note>Code Style options page keywords</note> </trans-unit> <trans-unit id="110"> <source>Naming</source> <target state="translated">命名</target> <note>"Naming Style" node under Tools &gt;Options &gt; Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="10162"> <source>Naming Style;Name Styles;Naming Rule;Naming Conventions</source> <target state="translated">命名樣式;命名樣式;命名規則;命名慣例</target> <note>Naming Style options page keywords</note> </trans-unit> <trans-unit id="111"> <source>General</source> <target state="translated">一般</target> <note>"General" node under Tools &gt;Options &gt;Basic editor &gt;Code Style.</note> </trans-unit> <trans-unit id="112"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="312"> <source>Change completion list settings;Pre-select most recently used member</source> <target state="translated">變更完成清單設定;預先選取最近使用的成員</target> <note>IntelliSense options page keywords</note> </trans-unit> <trans-unit id="114"> <source>Visual Basic components used in the IDE. Depending on your project type and settings, a different version of the compiler may be used.</source> <target state="translated">在 IDE 中使用的 Visual Basic 元件。根據您的專案類型與設定,可能會使用其他版本的編譯器。</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="113"> <source>Visual Basic Tools</source> <target state="translated">Visual Basic 工具</target> <note>Help &gt; About</note> </trans-unit> <trans-unit id="An_empty_Visual_Basic_script_file"> <source>An empty Visual Basic script file.</source> <target state="translated">空白的 Visual Basic 指令碼檔。</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Script"> <source>Visual Basic Script</source> <target state="translated">Visual Basic 指令碼</target> <note /> </trans-unit> </body> </file> </xliff>
1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Features/Core/Portable/xlf/FeaturesResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../FeaturesResources.resx"> <body> <trans-unit id="0_directive"> <source>#{0} directive</source> <target state="new">#{0} directive</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated"> <source>AM/PM (abbreviated)</source> <target state="translated">a.m./p.m. (abreviado)</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated_description"> <source>The "t" custom format specifier represents the first character of the AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. If the "t" format specifier is used without other custom format specifiers, it's interpreted as the "t" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "t" representa el primer carácter del designador AM/PM. Se recupera el designador adaptado apropiado de la propiedad DateTimeFormatInfo.AMDesignator o DateTimeFormatInfo.PMDesignator de la referencia cultural actual o específica. El designador AM se usa para todas las horas de 0:00:00 (medianoche) a 11:59:59.999. El designador PM se usa para todas las horas de 12:00:00 (mediodía) a 23:59:59.999. Si el especificador de formato "t" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "t".</target> <note /> </trans-unit> <trans-unit id="AM_PM_full"> <source>AM/PM (full)</source> <target state="translated">a.m./p.m. (completo)</target> <note /> </trans-unit> <trans-unit id="AM_PM_full_description"> <source>The "tt" custom format specifier (plus any number of additional "t" specifiers) represents the entire AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. Make sure to use the "tt" specifier for languages for which it's necessary to maintain the distinction between AM and PM. An example is Japanese, for which the AM and PM designators differ in the second character instead of the first character.</source> <target state="translated">El especificador de formato personalizado "tt" (más cualquier número de especificadores "t" adicionales) representa el designador AM/PM completo. Se recupera el designador adaptado apropiado de la propiedad DateTimeFormatInfo.AMDesignator o DateTimeFormatInfo.PMDesignator de la referencia cultural actual o específica. El designador AM se usa para todas las horas de 0:00:00 (medianoche) a 11:59:59.999. El designador PM se usa para todas las horas de 12:00:00 (mediodía) a 23:59:59.999. Asegúrese de usar el especificador "tt" para los idiomas para los que es necesario mantener la distinción entre AM y PM. Un ejemplo es el japonés, para el que los designadores AM y PM difieren en el segundo carácter en lugar de en el primer carácter.</target> <note /> </trans-unit> <trans-unit id="A_subtraction_must_be_the_last_element_in_a_character_class"> <source>A subtraction must be the last element in a character class</source> <target state="translated">Una sustracción debe ser el último elemento de una clase de caracteres</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-[b]-c]</note> </trans-unit> <trans-unit id="Accessing_captured_variable_0_that_hasn_t_been_accessed_before_in_1_requires_restarting_the_application"> <source>Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</source> <target state="new">Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Add_DebuggerDisplay_attribute"> <source>Add 'DebuggerDisplay' attribute</source> <target state="translated">Agregar atributo de "DebuggerDisplay"</target> <note>{Locked="DebuggerDisplay"} "DebuggerDisplay" is a BCL class and should not be localized.</note> </trans-unit> <trans-unit id="Add_explicit_cast"> <source>Add explicit cast</source> <target state="translated">Agregar conversión explícita</target> <note /> </trans-unit> <trans-unit id="Add_member_name"> <source>Add member name</source> <target state="translated">Agregar nombre de miembro</target> <note /> </trans-unit> <trans-unit id="Add_null_checks_for_all_parameters"> <source>Add null checks for all parameters</source> <target state="translated">Agregar comprobaciones de valores NULL para todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameter_to_constructor"> <source>Add optional parameter to constructor</source> <target state="translated">Agregar parámetro opcional al constructor</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0_and_overrides_implementations"> <source>Add parameter to '{0}' (and overrides/implementations)</source> <target state="translated">Agregar un parámetro a “{0}” (y reemplazos/implementaciones)</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_constructor"> <source>Add parameter to constructor</source> <target state="translated">Agregar parámetro al constructor</target> <note /> </trans-unit> <trans-unit id="Add_project_reference_to_0"> <source>Add project reference to '{0}'.</source> <target state="translated">Agregue referencia de proyecto a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Add_reference_to_0"> <source>Add reference to '{0}'.</source> <target state="translated">Agregue referencia a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Actions_can_not_be_empty"> <source>Actions can not be empty.</source> <target state="translated">Las acciones no pueden estar vacías.</target> <note /> </trans-unit> <trans-unit id="Add_tuple_element_name_0"> <source>Add tuple element name '{0}'</source> <target state="translated">Agregar el nombre del elemento de tupla "{0}"</target> <note /> </trans-unit> <trans-unit id="Adding_0_around_an_active_statement_requires_restarting_the_application"> <source>Adding {0} around an active statement requires restarting the application.</source> <target state="new">Adding {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_1_requires_restarting_the_application"> <source>Adding {0} into a {1} requires restarting the application.</source> <target state="new">Adding {0} into a {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_class_with_explicit_or_sequential_layout_requires_restarting_the_application"> <source>Adding {0} into a class with explicit or sequential layout requires restarting the application.</source> <target state="new">Adding {0} into a class with explicit or sequential layout requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_generic_type_requires_restarting_the_application"> <source>Adding {0} into a generic type requires restarting the application.</source> <target state="new">Adding {0} into a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_method_requires_restarting_the_application"> <source>Adding {0} into an interface method requires restarting the application.</source> <target state="new">Adding {0} into an interface method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_requires_restarting_the_application"> <source>Adding {0} into an interface requires restarting the application.</source> <target state="new">Adding {0} into an interface requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_requires_restarting_the_application"> <source>Adding {0} requires restarting the application.</source> <target state="new">Adding {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_that_accesses_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_with_the_Handles_clause_requires_restarting_the_application"> <source>Adding {0} with the Handles clause requires restarting the application.</source> <target state="new">Adding {0} with the Handles clause requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_MustOverride_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</target> <note>{Locked="MustOverride"} "MustOverride" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_constructor_to_a_type_with_a_field_or_property_initializer_that_contains_an_anonymous_function_requires_restarting_the_application"> <source>Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</source> <target state="new">Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_generic_0_requires_restarting_the_application"> <source>Adding a generic {0} requires restarting the application.</source> <target state="new">Adding a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_method_with_an_explicit_interface_specifier_requires_restarting_the_application"> <source>Adding a method with an explicit interface specifier requires restarting the application.</source> <target state="new">Adding a method with an explicit interface specifier requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_new_file_requires_restarting_the_application"> <source>Adding a new file requires restarting the application.</source> <target state="new">Adding a new file requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_user_defined_0_requires_restarting_the_application"> <source>Adding a user defined {0} requires restarting the application.</source> <target state="new">Adding a user defined {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_abstract_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_extern_0_requires_restarting_the_application"> <source>Adding an extern {0} requires restarting the application.</source> <target state="new">Adding an extern {0} requires restarting the application.</target> <note>{Locked="extern"} "extern" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_an_imported_method_requires_restarting_the_application"> <source>Adding an imported method requires restarting the application.</source> <target state="new">Adding an imported method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_arguments"> <source>Align wrapped arguments</source> <target state="translated">Alinear argumentos ajustados</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_parameters"> <source>Align wrapped parameters</source> <target state="translated">Alinear parámetros ajustados</target> <note /> </trans-unit> <trans-unit id="Alternation_conditions_cannot_be_comments"> <source>Alternation conditions cannot be comments</source> <target state="translated">Las condiciones de alternancia no pueden ser comentarios</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a|(?#b)</note> </trans-unit> <trans-unit id="Alternation_conditions_do_not_capture_and_cannot_be_named"> <source>Alternation conditions do not capture and cannot be named</source> <target state="translated">Las condiciones de alternancia no se captan y se les puede poner un nombre</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(?'x'))</note> </trans-unit> <trans-unit id="An_update_that_causes_the_return_type_of_implicit_main_to_change_requires_restarting_the_application"> <source>An update that causes the return type of the implicit Main method to change requires restarting the application.</source> <target state="new">An update that causes the return type of the implicit Main method to change requires restarting the application.</target> <note>{Locked="Main"} is C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Apply_file_header_preferences"> <source>Apply file header preferences</source> <target state="translated">Aplicar preferencias de encabezado de archivo</target> <note /> </trans-unit> <trans-unit id="Apply_object_collection_initialization_preferences"> <source>Apply object/collection initialization preferences</source> <target state="translated">Aplicar preferencias de inicialización de objetos o colecciones</target> <note /> </trans-unit> <trans-unit id="Attribute_0_is_missing_Updating_an_async_method_or_an_iterator_requires_restarting_the_application"> <source>Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</source> <target state="new">Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Asynchronously_waits_for_the_task_to_finish"> <source>Asynchronously waits for the task to finish.</source> <target state="new">Asynchronously waits for the task to finish.</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_0"> <source>Awaited task returns '{0}'</source> <target state="translated">La tarea esperada devuelve "{0}".</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_no_value"> <source>Awaited task returns no value</source> <target state="translated">La tarea esperada no devuelve ningún valor.</target> <note /> </trans-unit> <trans-unit id="Base_classes_contain_inaccessible_unimplemented_members"> <source>Base classes contain inaccessible unimplemented members</source> <target state="translated">Las clases base contienen miembros no implementados que son inaccesibles.</target> <note /> </trans-unit> <trans-unit id="CannotApplyChangesUnexpectedError"> <source>Cannot apply changes -- unexpected error: '{0}'</source> <target state="translated">No se pueden aplicar los cambios. Error inesperado: "{0}"</target> <note /> </trans-unit> <trans-unit id="Cannot_include_class_0_in_character_range"> <source>Cannot include class \{0} in character range</source> <target state="translated">No se incluye la clase \{0} en el intervalo de caracteres</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-\w]. {0} is the invalid class (\w here)</note> </trans-unit> <trans-unit id="Capture_group_numbers_must_be_less_than_or_equal_to_Int32_MaxValue"> <source>Capture group numbers must be less than or equal to Int32.MaxValue</source> <target state="translated">La captura de números de grupo deben ser menor o igual a Int32.MaxValue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{2147483648}</note> </trans-unit> <trans-unit id="Capture_number_cannot_be_zero"> <source>Capture number cannot be zero</source> <target state="translated">La captura de número no puede ser cero</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;0&gt;a)</note> </trans-unit> <trans-unit id="Capturing_variable_0_that_hasn_t_been_captured_before_requires_restarting_the_application"> <source>Capturing variable '{0}' that hasn't been captured before requires restarting the application.</source> <target state="new">Capturing variable '{0}' that hasn't been captured before requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_access_captured_variable_0_in_1_requires_restarting_the_application"> <source>Ceasing to access captured variable '{0}' in {1} requires restarting the application.</source> <target state="new">Ceasing to access captured variable '{0}' in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_capture_variable_0_requires_restarting_the_application"> <source>Ceasing to capture variable '{0}' requires restarting the application.</source> <target state="new">Ceasing to capture variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterInferValue"> <source>&lt;infer&gt;</source> <target state="translated">&lt;inferir&gt;</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterIntroduceTODOVariable"> <source>TODO</source> <target state="new">TODO</target> <note>"TODO" is an indication that there is work still to be done.</note> </trans-unit> <trans-unit id="ChangeSignature_NewParameterOmitValue"> <source>&lt;omit&gt;</source> <target state="translated">&lt;omitir&gt;</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_0"> <source>Change namespace to '{0}'</source> <target state="translated">Cambiar el espacio de nombres "{0}"</target> <note /> </trans-unit> <trans-unit id="Change_to_global_namespace"> <source>Change to global namespace</source> <target state="translated">Cambiar al espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="ChangesDisallowedWhileStoppedAtException"> <source>Changes are not allowed while stopped at exception</source> <target state="translated">No se permiten cambios durante una parada por una excepción</target> <note /> </trans-unit> <trans-unit id="ChangesNotAppliedWhileRunning"> <source>Changes made in project '{0}' will not be applied while the application is running</source> <target state="translated">Los cambios realizados en el proyecto "{0}" no se aplicarán mientras se esté ejecutando la aplicación</target> <note /> </trans-unit> <trans-unit id="ChangesRequiredSynthesizedType"> <source>One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</source> <target state="new">One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</target> <note /> </trans-unit> <trans-unit id="Changing_0_from_asynchronous_to_synchronous_requires_restarting_the_application"> <source>Changing {0} from asynchronous to synchronous requires restarting the application.</source> <target state="new">Changing {0} from asynchronous to synchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_0_to_1_requires_restarting_the_application_because_it_changes_the_shape_of_the_state_machine"> <source>Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</source> <target state="new">Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</target> <note /> </trans-unit> <trans-unit id="Changing_a_field_to_an_event_or_vice_versa_requires_restarting_the_application"> <source>Changing a field to an event or vice versa requires restarting the application.</source> <target state="new">Changing a field to an event or vice versa requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_constraints_of_0_requires_restarting_the_application"> <source>Changing constraints of {0} requires restarting the application.</source> <target state="new">Changing constraints of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_parameter_types_of_0_requires_restarting_the_application"> <source>Changing parameter types of {0} requires restarting the application.</source> <target state="new">Changing parameter types of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_pseudo_custom_attribute_0_of_1_requires_restarting_th_application"> <source>Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</source> <target state="new">Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</target> <note /> </trans-unit> <trans-unit id="Changing_the_declaration_scope_of_a_captured_variable_0_requires_restarting_the_application"> <source>Changing the declaration scope of a captured variable '{0}' requires restarting the application.</source> <target state="new">Changing the declaration scope of a captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_parameters_of_0_requires_restarting_the_application"> <source>Changing the parameters of {0} requires restarting the application.</source> <target state="new">Changing the parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_return_type_of_0_requires_restarting_the_application"> <source>Changing the return type of {0} requires restarting the application.</source> <target state="new">Changing the return type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_0_requires_restarting_the_application"> <source>Changing the type of {0} requires restarting the application.</source> <target state="new">Changing the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_a_captured_variable_0_previously_of_type_1_requires_restarting_the_application"> <source>Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</source> <target state="new">Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_type_parameters_of_0_requires_restarting_the_application"> <source>Changing type parameters of {0} requires restarting the application.</source> <target state="new">Changing type parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_visibility_of_0_requires_restarting_the_application"> <source>Changing visibility of {0} requires restarting the application.</source> <target state="new">Changing visibility of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Configure_0_code_style"> <source>Configure {0} code style</source> <target state="translated">Configurar el estilo de código de {0}</target> <note /> </trans-unit> <trans-unit id="Configure_0_severity"> <source>Configure {0} severity</source> <target state="translated">Configurar la gravedad de {0}</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_0_analyzers"> <source>Configure severity for all '{0}' analyzers</source> <target state="translated">Configurar la gravedad de todos los analizadores ("{0}")</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_analyzers"> <source>Configure severity for all analyzers</source> <target state="translated">Configurar la gravedad de todos los analizadores</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq"> <source>Convert to LINQ</source> <target state="translated">Convertir a LINQ</target> <note /> </trans-unit> <trans-unit id="Add_to_0"> <source>Add to '{0}'</source> <target state="translated">Agregar a “{0}”</target> <note /> </trans-unit> <trans-unit id="Convert_to_class"> <source>Convert to class</source> <target state="translated">Convertir a la clase</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq_call_form"> <source>Convert to LINQ (call form)</source> <target state="translated">Convertir a LINQ (formulario de llamada)</target> <note /> </trans-unit> <trans-unit id="Convert_to_record"> <source>Convert to record</source> <target state="translated">Convertir en registro</target> <note /> </trans-unit> <trans-unit id="Convert_to_record_struct"> <source>Convert to record struct</source> <target state="translated">Convertir en registro de estructuras</target> <note /> </trans-unit> <trans-unit id="Convert_to_struct"> <source>Convert to struct</source> <target state="translated">Convertir a struct</target> <note /> </trans-unit> <trans-unit id="Convert_type_to_0"> <source>Convert type to '{0}'</source> <target state="translated">Convertir tipo en "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_field_0"> <source>Create and assign field '{0}'</source> <target state="translated">Crear y asignar campo "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_property_0"> <source>Create and assign property '{0}'</source> <target state="translated">Crear y asignar propiedad "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_fields"> <source>Create and assign remaining as fields</source> <target state="translated">Crear y asignar el resto como campos</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_properties"> <source>Create and assign remaining as properties</source> <target state="translated">Crear y asignar el resto como propiedades</target> <note /> </trans-unit> <trans-unit id="Deleting_0_around_an_active_statement_requires_restarting_the_application"> <source>Deleting {0} around an active statement requires restarting the application.</source> <target state="new">Deleting {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_0_requires_restarting_the_application"> <source>Deleting {0} requires restarting the application.</source> <target state="new">Deleting {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_captured_variable_0_requires_restarting_the_application"> <source>Deleting captured variable '{0}' requires restarting the application.</source> <target state="new">Deleting captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Do_not_change_this_code_Put_cleanup_code_in_0_method"> <source>Do not change this code. Put cleanup code in '{0}' method</source> <target state="translated">No cambie este código. Coloque el código de limpieza en el método "{0}".</target> <note /> </trans-unit> <trans-unit id="DocumentIsOutOfSyncWithDebuggee"> <source>The current content of source file '{0}' does not match the built source. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">El contenido actual del archivo de código fuente "{0}" no coincide con el del código fuente compilado, así que los cambios realizados en este archivo durante la depuración no se aplicarán hasta que coincida.</target> <note /> </trans-unit> <trans-unit id="Document_must_be_contained_in_the_workspace_that_created_this_service"> <source>Document must be contained in the workspace that created this service</source> <target state="translated">El documento debe estar contenido en el área de trabajo que creó este servicio</target> <note /> </trans-unit> <trans-unit id="EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Editar y continuar</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByModule"> <source>Edit and Continue disallowed by module</source> <target state="translated">El módulo no permite editar y continuar</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByProject"> <source>Changes made in project '{0}' require restarting the application: {1}</source> <target state="needs-review-translation">Los cambios realizados en el proyecto "{0}" impedirán que continúe la sesión de depuración: {1}</target> <note /> </trans-unit> <trans-unit id="Edit_and_continue_is_not_supported_by_the_runtime"> <source>Edit and continue is not supported by the runtime.</source> <target state="translated">El runtime no admite editar y continuar.</target> <note /> </trans-unit> <trans-unit id="ErrorReadingFile"> <source>Error while reading file '{0}': {1}</source> <target state="translated">Error al leer el archivo "{0}": {1}</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider"> <source>Error creating instance of CodeFixProvider</source> <target state="translated">Error al crear la instancia de CodeFixProvider</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider_0"> <source>Error creating instance of CodeFixProvider '{0}'</source> <target state="translated">Error al crear la instancia de CodeFixProvider "{0}"</target> <note /> </trans-unit> <trans-unit id="Example"> <source>Example:</source> <target state="translated">Ejemplo:</target> <note>Singular form when we want to show an example, but only have one to show.</note> </trans-unit> <trans-unit id="Examples"> <source>Examples:</source> <target state="translated">Ejemplos:</target> <note>Plural form when we have multiple examples to show.</note> </trans-unit> <trans-unit id="Explicitly_implemented_methods_of_records_must_have_parameter_names_that_match_the_compiler_generated_equivalent_0"> <source>Explicitly implemented methods of records must have parameter names that match the compiler generated equivalent '{0}'</source> <target state="translated">Los métodos de registros implementados explícitamente deben tener nombres de parámetro que coincidan con el equivalente generado por el programa "{0}"</target> <note /> </trans-unit> <trans-unit id="Extract_base_class"> <source>Extract base class...</source> <target state="translated">Extraer clase base...</target> <note /> </trans-unit> <trans-unit id="Extract_interface"> <source>Extract interface...</source> <target state="translated">Extraer interfaz...</target> <note /> </trans-unit> <trans-unit id="Extract_local_function"> <source>Extract local function</source> <target state="translated">Extraer función local</target> <note /> </trans-unit> <trans-unit id="Extract_method"> <source>Extract method</source> <target state="translated">Extraer método</target> <note /> </trans-unit> <trans-unit id="Failed_to_analyze_data_flow_for_0"> <source>Failed to analyze data-flow for: {0}</source> <target state="translated">No se pudo analizar el flujo de datos para: {0}.</target> <note /> </trans-unit> <trans-unit id="Fix_formatting"> <source>Fix formatting</source> <target state="translated">Fijar formato</target> <note /> </trans-unit> <trans-unit id="Fix_typo_0"> <source>Fix typo '{0}'</source> <target state="translated">Corregir error de escritura "{0}"</target> <note /> </trans-unit> <trans-unit id="Format_document"> <source>Format document</source> <target state="translated">Dar formato al documento</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document</source> <target state="translated">Aplicando formato al documento</target> <note /> </trans-unit> <trans-unit id="Generate_comparison_operators"> <source>Generate comparison operators</source> <target state="translated">Generar operadores de comparación</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_fields"> <source>Generate constructor in '{0}' (with fields)</source> <target state="translated">Generar un constructor en "{0}" (con campos)</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_properties"> <source>Generate constructor in '{0}' (with properties)</source> <target state="translated">Generar un constructor en "{0}" (con propiedades)</target> <note /> </trans-unit> <trans-unit id="Generate_for_0"> <source>Generate for '{0}'</source> <target state="translated">Generar para "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0"> <source>Generate parameter '{0}'</source> <target state="translated">Generar el parámetro "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0_and_overrides_implementations"> <source>Generate parameter '{0}' (and overrides/implementations)</source> <target state="translated">Generar el parámetro "{0}" (y reemplazos/implementaciones)</target> <note /> </trans-unit> <trans-unit id="Illegal_backslash_at_end_of_pattern"> <source>Illegal \ at end of pattern</source> <target state="translated">\ no válido al final del modelo</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \</note> </trans-unit> <trans-unit id="Illegal_x_y_with_x_less_than_y"> <source>Illegal {x,y} with x &gt; y</source> <target state="translated">Ilegales {x, y} con x &gt; y</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{1,0}</note> </trans-unit> <trans-unit id="Implement_0_explicitly"> <source>Implement '{0}' explicitly</source> <target state="translated">Implementar "{0}" de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_0_implicitly"> <source>Implement '{0}' implicitly</source> <target state="translated">Implementar "{0}" de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_abstract_class"> <source>Implement abstract class</source> <target state="translated">Implementar clase abstracta</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_explicitly"> <source>Implement all interfaces explicitly</source> <target state="translated">Implementar todas las interfaces de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_implicitly"> <source>Implement all interfaces implicitly</source> <target state="translated">Implementar todas las interfaces de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_all_members_explicitly"> <source>Implement all members explicitly</source> <target state="translated">Implementar todos los miembros de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_explicitly"> <source>Implement explicitly</source> <target state="translated">Implementar de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_implicitly"> <source>Implement implicitly</source> <target state="translated">Implementar de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_remaining_members_explicitly"> <source>Implement remaining members explicitly</source> <target state="translated">Implementar los miembros restantes de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_through_0"> <source>Implement through '{0}'</source> <target state="translated">Implementar a través de "{0}"</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_as_read_only_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' as read only requires restarting the application,</source> <target state="new">Implementing a record positional parameter '{0}' as read only requires restarting the application,</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_with_a_set_accessor_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</source> <target state="new">Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Incomplete_character_escape"> <source>Incomplete \p{X} character escape</source> <target state="translated">Escape de carácter incompleto \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{ Cc }</note> </trans-unit> <trans-unit id="Indent_all_arguments"> <source>Indent all arguments</source> <target state="translated">Aplicar sangría a todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Indent_all_parameters"> <source>Indent all parameters</source> <target state="translated">Aplicar sangría a todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_arguments"> <source>Indent wrapped arguments</source> <target state="translated">Argumentos con la sangría ajustada</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_parameters"> <source>Indent wrapped parameters</source> <target state="translated">Parámetros con la sangría ajustada</target> <note /> </trans-unit> <trans-unit id="Inline_0"> <source>Inline '{0}'</source> <target state="translated">En línea "{0}"</target> <note /> </trans-unit> <trans-unit id="Inline_and_keep_0"> <source>Inline and keep '{0}'</source> <target state="translated">Alinear y mantener "{0}"</target> <note /> </trans-unit> <trans-unit id="Insufficient_hexadecimal_digits"> <source>Insufficient hexadecimal digits</source> <target state="translated">Insuficientes dígitos hexadecimales</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \x</note> </trans-unit> <trans-unit id="Introduce_constant"> <source>Introduce constant</source> <target state="translated">Introducir la sangría</target> <note /> </trans-unit> <trans-unit id="Introduce_field"> <source>Introduce field</source> <target state="translated">Introducir campo</target> <note /> </trans-unit> <trans-unit id="Introduce_local"> <source>Introduce local</source> <target state="translated">Introducir local</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter"> <source>Introduce parameter</source> <target state="new">Introduce parameter</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_0"> <source>Introduce parameter for '{0}'</source> <target state="new">Introduce parameter for '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_all_occurrences_of_0"> <source>Introduce parameter for all occurrences of '{0}'</source> <target state="new">Introduce parameter for all occurrences of '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable"> <source>Introduce query variable</source> <target state="translated">Introducir la variable de consulta</target> <note /> </trans-unit> <trans-unit id="Invalid_group_name_Group_names_must_begin_with_a_word_character"> <source>Invalid group name: Group names must begin with a word character</source> <target state="translated">Nombre de grupo no válido: nombres de grupo deben comenzar con un carácter de palabra</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;a &gt;a)</note> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="new">Invalid selection.</target> <note /> </trans-unit> <trans-unit id="Make_class_abstract"> <source>Make class 'abstract'</source> <target state="translated">Convertir la clase en "abstract"</target> <note /> </trans-unit> <trans-unit id="Make_member_static"> <source>Make static</source> <target state="translated">Hacer estático</target> <note /> </trans-unit> <trans-unit id="Invert_conditional"> <source>Invert conditional</source> <target state="translated">Invertir condicional</target> <note /> </trans-unit> <trans-unit id="Making_a_method_an_iterator_requires_restarting_the_application"> <source>Making a method an iterator requires restarting the application.</source> <target state="new">Making a method an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Making_a_method_asynchronous_requires_restarting_the_application"> <source>Making a method asynchronous requires restarting the application.</source> <target state="new">Making a method asynchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Malformed"> <source>malformed</source> <target state="translated">con formato incorrecto</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0</note> </trans-unit> <trans-unit id="Malformed_character_escape"> <source>Malformed \p{X} character escape</source> <target state="translated">Escape de carácter incorrecto \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p {Cc}</note> </trans-unit> <trans-unit id="Malformed_named_back_reference"> <source>Malformed \k&lt;...&gt; named back reference</source> <target state="translated">Referencia atrás con nombre \k&lt;...&gt; mal formado</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k'</note> </trans-unit> <trans-unit id="Merge_with_nested_0_statement"> <source>Merge with nested '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" anidada</target> <note /> </trans-unit> <trans-unit id="Merge_with_next_0_statement"> <source>Merge with next '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" siguiente</target> <note /> </trans-unit> <trans-unit id="Merge_with_outer_0_statement"> <source>Merge with outer '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" externa</target> <note /> </trans-unit> <trans-unit id="Merge_with_previous_0_statement"> <source>Merge with previous '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" anterior</target> <note /> </trans-unit> <trans-unit id="MethodMustReturnStreamThatSupportsReadAndSeek"> <source>{0} must return a stream that supports read and seek operations.</source> <target state="translated">{0} debe devolver una secuencia que admita operaciones de lectura y búsqueda.</target> <note /> </trans-unit> <trans-unit id="Missing_control_character"> <source>Missing control character</source> <target state="translated">Falta de carácter de control</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \c</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_a_static_variable_requires_restarting_the_application"> <source>Modifying {0} which contains a static variable requires restarting the application.</source> <target state="new">Modifying {0} which contains a static variable requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_0_which_contains_an_Aggregate_Group_By_or_Join_query_clauses_requires_restarting_the_application"> <source>Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</source> <target state="new">Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</target> <note>{Locked="Aggregate"}{Locked="Group By"}{Locked="Join"} are VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_the_stackalloc_operator_requires_restarting_the_application"> <source>Modifying {0} which contains the stackalloc operator requires restarting the application.</source> <target state="new">Modifying {0} which contains the stackalloc operator requires restarting the application.</target> <note>{Locked="stackalloc"} "stackalloc" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_a_catch_finally_handler_with_an_active_statement_in_the_try_block_requires_restarting_the_application"> <source>Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</source> <target state="new">Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_catch_handler_around_an_active_statement_requires_restarting_the_application"> <source>Modifying a catch handler around an active statement requires restarting the application.</source> <target state="new">Modifying a catch handler around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_generic_method_requires_restarting_the_application"> <source>Modifying a generic method requires restarting the application.</source> <target state="new">Modifying a generic method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_method_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying a method inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying a method inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_try_catch_finally_statement_when_the_finally_block_is_active_requires_restarting_the_application"> <source>Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</source> <target state="new">Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_an_active_0_which_contains_On_Error_or_Resume_statements_requires_restarting_the_application"> <source>Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</source> <target state="new">Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</target> <note>{Locked="On Error"}{Locked="Resume"} is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_because_the_body_has_too_many_statements"> <source>Modifying the body of {0} requires restarting the application because the body has too many statements.</source> <target state="new">Modifying the body of {0} requires restarting the application because the body has too many statements.</target> <note /> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying the body of {0} requires restarting the application due to internal error: {1}</source> <target state="new">Modifying the body of {0} requires restarting the application due to internal error: {1}</target> <note>{1} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_because_the_file_is_too_big"> <source>Modifying source file '{0}' requires restarting the application because the file is too big.</source> <target state="new">Modifying source file '{0}' requires restarting the application because the file is too big.</target> <note /> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying source file '{0}' requires restarting the application due to internal error: {1}</source> <target state="new">Modifying source file '{0}' requires restarting the application due to internal error: {1}</target> <note>{2} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_with_experimental_language_features_enabled_requires_restarting_the_application"> <source>Modifying source with experimental language features enabled requires restarting the application.</source> <target state="new">Modifying source with experimental language features enabled requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_the_initializer_of_0_in_a_generic_type_requires_restarting_the_application"> <source>Modifying the initializer of {0} in a generic type requires restarting the application.</source> <target state="new">Modifying the initializer of {0} in a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_0_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_a_generic_0_requires_restarting_the_application"> <source>Modifying whitespace or comments in a generic {0} requires restarting the application.</source> <target state="new">Modifying whitespace or comments in a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Move_contents_to_namespace"> <source>Move contents to namespace...</source> <target state="translated">Mover contenido al espacio de nombres...</target> <note /> </trans-unit> <trans-unit id="Move_file_to_0"> <source>Move file to '{0}'</source> <target state="translated">Mover el archivo a "{0}"</target> <note /> </trans-unit> <trans-unit id="Move_file_to_project_root_folder"> <source>Move file to project root folder</source> <target state="translated">Mover el archivo a la carpeta raíz del proyecto</target> <note /> </trans-unit> <trans-unit id="Move_to_namespace"> <source>Move to namespace...</source> <target state="translated">Mover a espacio de nombres...</target> <note /> </trans-unit> <trans-unit id="Moving_0_requires_restarting_the_application"> <source>Moving {0} requires restarting the application.</source> <target state="new">Moving {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Nested_quantifier_0"> <source>Nested quantifier {0}</source> <target state="translated">Cuantificador anidado {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a**. In this case {0} will be '*', the extra unnecessary quantifier.</note> </trans-unit> <trans-unit id="No_common_root_node_for_extraction"> <source>No common root node for extraction.</source> <target state="new">No common root node for extraction.</target> <note /> </trans-unit> <trans-unit id="No_valid_location_to_insert_method_call"> <source>No valid location to insert method call.</source> <target state="translated">No hay ninguna ubicación válida para insertar una llamada de método.</target> <note /> </trans-unit> <trans-unit id="No_valid_selection_to_perform_extraction"> <source>No valid selection to perform extraction.</source> <target state="new">No valid selection to perform extraction.</target> <note /> </trans-unit> <trans-unit id="Not_enough_close_parens"> <source>Not enough )'s</source> <target state="translated">No hay suficientes )</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (a</note> </trans-unit> <trans-unit id="Operators"> <source>Operators</source> <target state="translated">Operadores</target> <note /> </trans-unit> <trans-unit id="Property_reference_cannot_be_updated"> <source>Property reference cannot be updated</source> <target state="translated">No se puede actualizar la referencia de propiedad</target> <note /> </trans-unit> <trans-unit id="Pull_0_up"> <source>Pull '{0}' up</source> <target state="translated">Extraer "{0}"</target> <note /> </trans-unit> <trans-unit id="Pull_0_up_to_1"> <source>Pull '{0}' up to '{1}'</source> <target state="translated">Extraer "{0}" hasta "{1}"</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_base_type"> <source>Pull members up to base type...</source> <target state="translated">Extraer miembros hasta el tipo de base...</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_new_base_class"> <source>Pull member(s) up to new base class...</source> <target state="translated">Extraer miembros a una nueva clase base...</target> <note /> </trans-unit> <trans-unit id="Quantifier_x_y_following_nothing"> <source>Quantifier {x,y} following nothing</source> <target state="translated">Cuantificador {x, y} después de nada</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: *</note> </trans-unit> <trans-unit id="Reference_to_undefined_group"> <source>reference to undefined group</source> <target state="translated">referencia al grupo no definido</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(1))</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_name_0"> <source>Reference to undefined group name {0}</source> <target state="translated">Referencia a nombre de grupo no definido {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k&lt;a&gt;. Here, {0} will be the name of the undefined group ('a')</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_number_0"> <source>Reference to undefined group number {0}</source> <target state="translated">Referencia al número de grupo indefinido {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;-1&gt;). Here, {0} will be the number of the undefined group ('1')</note> </trans-unit> <trans-unit id="Regex_all_control_characters_long"> <source>All control characters. This includes the Cc, Cf, Cs, Co, and Cn categories.</source> <target state="translated">Todos los caracteres de control. Esto incluye las categorías Cc, Cf, Cs, Co y Cn.</target> <note /> </trans-unit> <trans-unit id="Regex_all_control_characters_short"> <source>all control characters</source> <target state="translated">todos los caracteres de control</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_long"> <source>All diacritic marks. This includes the Mn, Mc, and Me categories.</source> <target state="translated">Todas las marcas diacríticas. Esto incluye las categorías Mn, Mc y Me.</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_short"> <source>all diacritic marks</source> <target state="translated">todas las marcas diacríticas</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_long"> <source>All letter characters. This includes the Lu, Ll, Lt, Lm, and Lo characters.</source> <target state="translated">Todos los caracteres de letra. Esto incluye los caracteres Lu, Ll, Lt, Lm y Lo.</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_short"> <source>all letter characters</source> <target state="translated">todos los caracteres de letra</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_long"> <source>All numbers. This includes the Nd, Nl, and No categories.</source> <target state="translated">Todos los números. Esto incluye las categorías Nd, Nl y No.</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_short"> <source>all numbers</source> <target state="translated">todos los números</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_long"> <source>All punctuation characters. This includes the Pc, Pd, Ps, Pe, Pi, Pf, and Po categories.</source> <target state="translated">Todos los caracteres de puntuación. Esto incluye las categorías Pc, Pd, Ps, Pe, Pi, Pf y Po.</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_short"> <source>all punctuation characters</source> <target state="translated">todos los caracteres de puntuación</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_long"> <source>All separator characters. This includes the Zs, Zl, and Zp categories.</source> <target state="translated">Todos los caracteres separadores. Esto incluye las categorías Zs, Zl y Zp.</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_short"> <source>all separator characters</source> <target state="translated">todos los caracteres separadores</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_long"> <source>All symbols. This includes the Sm, Sc, Sk, and So categories.</source> <target state="translated">Todos los símbolos. Esto incluye las categorías Sm, Sc, Sk y So.</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_short"> <source>all symbols</source> <target state="translated">todos los símbolos</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_long"> <source>You can use the vertical bar (|) character to match any one of a series of patterns, where the | character separates each pattern.</source> <target state="translated">Puede usar el carácter de barra vertical (|) para hacerlo coincidir con algún patrón de una serie, donde el carácter | el carácter separa cada patrón.</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_short"> <source>alternation</source> <target state="translated">alternación</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_long"> <source>The period character (.) matches any character except \n (the newline character, \u000A). If a regular expression pattern is modified by the RegexOptions.Singleline option, or if the portion of the pattern that contains the . character class is modified by the 's' option, . matches any character.</source> <target state="translated">El carácter de punto (.) coincide con cualquier carácter excepto \n (el carácter de nueva línea, \u000A). Si la opción RegexOptions.SingleLine modifica un patrón de expresión regular o si la parte del patrón que contiene el carácter . se modifica mediante la opción "s", . coincide con cualquier carácter.</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_short"> <source>any character</source> <target state="translated">cualquier carácter</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_long"> <source>Atomic groups (known in some other regular expression engines as a nonbacktracking subexpression, an atomic subexpression, or a once-only subexpression) disable backtracking. The regular expression engine will match as many characters in the input string as it can. When no further match is possible, it will not backtrack to attempt alternate pattern matches. (That is, the subexpression matches only strings that would be matched by the subexpression alone; it does not attempt to match a string based on the subexpression and any subexpressions that follow it.) This option is recommended if you know that backtracking will not succeed. Preventing the regular expression engine from performing unnecessary searching improves performance.</source> <target state="translated">Los grupos atómicos (conocidos en algunos otros motores de expresiones regulares como subexpresión sin vuelta atrás, subexpresión atómica o subexpresión de una sola vez) deshabilitan la vuelta atrás. El motor de expresiones regulares coincidirá con tantos caracteres de la cadena de entrada como pueda. Cuando no sean posibles más coincidencias, no volverá atrás para intentar coincidencias de patrones alternativas. (Es decir, la subexpresión coincide únicamente con las cadenas que coincidan solo con la subexpresión; no intenta buscar coincidencias con una cadena en función de la subexpresión y de todas las subexpresiones que la sigan). Se recomienda esta opción si sabe que la vuelta atrás no será correcta. Evitar que el motor de expresiones regulares realice búsquedas innecesarias mejora el rendimiento.</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_short"> <source>atomic group</source> <target state="translated">grupo atómico</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_long"> <source>Matches a backspace character, \u0008</source> <target state="translated">Coincide con un carácter de retroceso, \u0008</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_short"> <source>backspace character</source> <target state="translated">carácter de retroceso</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_long"> <source>A balancing group definition deletes the definition of a previously defined group and stores, in the current group, the interval between the previously defined group and the current group. 'name1' is the current group (optional), 'name2' is a previously defined group, and 'subexpression' is any valid regular expression pattern. The balancing group definition deletes the definition of name2 and stores the interval between name2 and name1 in name1. If no name2 group is defined, the match backtracks. Because deleting the last definition of name2 reveals the previous definition of name2, this construct lets you use the stack of captures for group name2 as a counter for keeping track of nested constructs such as parentheses or opening and closing brackets. The balancing group definition uses 'name2' as a stack. The beginning character of each nested construct is placed in the group and in its Group.Captures collection. When the closing character is matched, its corresponding opening character is removed from the group, and the Captures collection is decreased by one. After the opening and closing characters of all nested constructs have been matched, 'name1' is empty.</source> <target state="translated">Una definición de grupo de equilibrio elimina la definición de un grupo definido anteriormente y almacena, en el grupo actual, el intervalo entre el grupo definido anteriormente y el grupo actual. "name1" es el grupo actual (opcional), "name2" es un grupo definido anteriormente y "subexpression" es cualquier patrón de expresión regular válido. La definición del grupo de equilibrio elimina la definición de name2 y almacena el intervalo entre name2 y name1 en name1. Si no se define un grupo de name2, la coincidencia se busca con retroceso. Como la eliminación de la última definición de name2 revela la definición anterior de name2, esta construcción permite usar la pila de capturas para el grupo name2 como contador para realizar el seguimiento de las construcciones anidadas, como los paréntesis o los corchetes de apertura y cierre. La definición del grupo de equilibrio usa "name2" como una pila. El carácter inicial de cada construcción anidada se coloca en el grupo y en su colección Group.Captures. Cuando coincide el carácter de cierre, se quita el carácter de apertura correspondiente del grupo y se quita uno de la colección Captures. Una vez que se han encontrado coincidencias de los caracteres de apertura y cierre de todas las construcciones anidadas, "name1" se queda vacío.</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_short"> <source>balancing group</source> <target state="translated">grupo de equilibrio</target> <note /> </trans-unit> <trans-unit id="Regex_base_group"> <source>base-group</source> <target state="translated">grupo base</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_long"> <source>Matches a bell (alarm) character, \u0007</source> <target state="translated">Coincide con un carácter de campana (alarma), \u0007</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_short"> <source>bell character</source> <target state="translated">carácter de campana</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_long"> <source>Matches a carriage-return character, \u000D. Note that \r is not equivalent to the newline character, \n.</source> <target state="translated">Coincide con un carácter de retorno de carro, \u000D. Tenga en cuenta que \r no equivale al carácter de nueva línea, \n.</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_short"> <source>carriage-return character</source> <target state="translated">carácter de retorno de carro</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_long"> <source>Character class subtraction yields a set of characters that is the result of excluding the characters in one character class from another character class. 'base_group' is a positive or negative character group or range. The 'excluded_group' component is another positive or negative character group, or another character class subtraction expression (that is, you can nest character class subtraction expressions).</source> <target state="translated">La sustracción de la clase de caracteres produce un conjunto de caracteres que es el resultado de excluir los caracteres en una clase de caracteres de otra clase de caracteres. "base_group" es un grupo o intervalo de caracteres positivos o negativos. El componente "excluded_group" es otro grupo de caracteres positivos o negativos, u otra expresión de sustracción de clases de caracteres (es decir, puede anidar expresiones de sustracción de clases de caracteres).</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_short"> <source>character class subtraction</source> <target state="translated">sustracción de clase de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_character_group"> <source>character-group</source> <target state="translated">grupo de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_comment"> <source>comment</source> <target state="translated">comentario</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_long"> <source>This language element attempts to match one of two patterns depending on whether it can match an initial pattern. 'expression' is the initial pattern to match, 'yes' is the pattern to match if expression is matched, and 'no' is the optional pattern to match if expression is not matched.</source> <target state="translated">Este elemento del lenguaje intenta coincidir con uno de dos patrones en función de si puede coincidir con un patrón inicial. "expression" es el patrón inicial que debe coincidir, "yes" es el patrón que debe coincidir si la expresión coincide y "no" es el patrón opcional que debe coincidir si la expresión no coincide.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_short"> <source>conditional expression match</source> <target state="translated">coincidencia de expresión condicional</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_long"> <source>This language element attempts to match one of two patterns depending on whether it has matched a specified capturing group. 'name' is the name (or number) of a capturing group, 'yes' is the expression to match if 'name' (or 'number') has a match, and 'no' is the optional expression to match if it does not.</source> <target state="translated">Este elemento del lenguaje intenta coincidir con uno de dos patrones en función de si coincide con un grupo de captura especificado. "name" es el nombre (o número) de un grupo de capturas, "yes" es la expresión que debe coincidir si "name" (o "number") tiene una coincidencia y "no" es la expresión opcional para la coincidencia si no la tiene.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_short"> <source>conditional group match</source> <target state="translated">coincidencia de grupo condicional</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_long"> <source>The \G anchor specifies that a match must occur at the point where the previous match ended. When you use this anchor with the Regex.Matches or Match.NextMatch method, it ensures that all matches are contiguous.</source> <target state="translated">El delimitador \G especifica que se debe producir una coincidencia en el punto en el que finalizó la coincidencia anterior. Cuando se usa este delimitador con el método Regex.Matches o Match.NextMatch, se garantiza que todas las coincidencias sean contiguas.</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_short"> <source>contiguous matches</source> <target state="translated">coincidencias contiguas</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_long"> <source>Matches an ASCII control character, where X is the letter of the control character. For example, \cC is CTRL-C.</source> <target state="translated">Coincide con un carácter de control ASCII, donde X es la letra del carácter de control. Por ejemplo, \cC es CTRL-C.</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_short"> <source>control character</source> <target state="translated">carácter de control</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_long"> <source>\d matches any decimal digit. It is equivalent to the \p{Nd} regular expression pattern, which includes the standard decimal digits 0-9 as well as the decimal digits of a number of other character sets. If ECMAScript-compliant behavior is specified, \d is equivalent to [0-9]</source> <target state="translated">\d corresponde a cualquier dígito decimal. Equivale al patrón de expresión regular \P{Nd}, que incluye los dígitos decimales estándar 0-9, así como los dígitos decimales de otros conjuntos de caracteres. Si se especifica un comportamiento compatible con ECMAScript, \d equivale a [0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_short"> <source>decimal-digit character</source> <target state="translated">carácter de dígito decimal</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_long"> <source>A number sign (#) marks an x-mode comment, which starts at the unescaped # character at the end of the regular expression pattern and continues until the end of the line. To use this construct, you must either enable the x option (through inline options) or supply the RegexOptions.IgnorePatternWhitespace value to the option parameter when instantiating the Regex object or calling a static Regex method.</source> <target state="translated">Un signo de número (#) marca un comentario en modo x, que comienza en el carácter # sin escape al final del patrón de expresión regular y continúa hasta el final de la línea. Para usar esta construcción, debe habilitar la opción x (mediante opciones en línea) o proporcionar el valor RegexOptions.IgnorePatternWhitespace al parámetro option al crear una instancia del objeto Regex o llamar a un método estático Regex.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_short"> <source>end-of-line comment</source> <target state="translated">comentario de fin de línea</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_long"> <source>The \z anchor specifies that a match must occur at the end of the input string. Like the $ language element, \z ignores the RegexOptions.Multiline option. Unlike the \Z language element, \z does not match a \n character at the end of a string. Therefore, it can only match the last line of the input string.</source> <target state="translated">El delimitador \Z especifica que debe producirse una coincidencia al final de la cadena de entrada. Al igual que el elemento de lenguaje $, \z omite la opción RegexOptions.Multiline. A diferencia del elemento de lenguaje \Z, \z no coincide con un carácter \n al final de una cadena. Por lo tanto, solo puede coincidir con la última línea de la cadena de entrada.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_short"> <source>end of string only</source> <target state="translated">solo el fin de la cadena</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_long"> <source>The \Z anchor specifies that a match must occur at the end of the input string, or before \n at the end of the input string. It is identical to the $ anchor, except that \Z ignores the RegexOptions.Multiline option. Therefore, in a multiline string, it can only match the end of the last line, or the last line before \n. The \Z anchor matches \n but does not match \r\n (the CR/LF character combination). To match CR/LF, include \r?\Z in the regular expression pattern.</source> <target state="translated">El delimitador \Z especifica que debe producirse una coincidencia al final de la cadena de entrada o antes de \n al final de la cadena de entrada. Es idéntico al delimitador $, excepto que \Z omite la opción RegexOptions.Multiline. Por lo tanto, en una cadena de varias líneas, solo puede coincidir con el final de la última línea o con la última línea antes de \n. El delimitador \Z coincide con \n, pero no con \r\n (la combinación de caracteres CR/LF). Para hacerlo coincidir con CR/LF, incluya \r?\Z en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_short"> <source>end of string or before ending newline</source> <target state="translated">fin de cadena o antes de terminar la línea nueva</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_long"> <source>The $ anchor specifies that the preceding pattern must occur at the end of the input string, or before \n at the end of the input string. If you use $ with the RegexOptions.Multiline option, the match can also occur at the end of a line. The $ anchor matches \n but does not match \r\n (the combination of carriage return and newline characters, or CR/LF). To match the CR/LF character combination, include \r?$ in the regular expression pattern.</source> <target state="translated">El delimitador $ especifica que el patrón anterior debe aparecer al final de la cadena de entrada, o antes de \n al final de la cadena de entrada. Si usa $ con la opción RegexOptions.Multiline, la coincidencia también puede producirse al final de una línea. El limitador $ coincide con \n pero no coincide con \r\n (la combinación de retorno de carro y caracteres de nueva línea, o CR/LF). Para hacer coincidir la combinación de caracteres CR/LF, incluya \r?$ en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_short"> <source>end of string or line</source> <target state="translated">fin de cadena o línea</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_long"> <source>Matches an escape character, \u001B</source> <target state="translated">Coincide con un carácter de escape, \u001B</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_short"> <source>escape character</source> <target state="translated">carácter de escape</target> <note /> </trans-unit> <trans-unit id="Regex_excluded_group"> <source>excluded-group</source> <target state="translated">grupo excluido</target> <note /> </trans-unit> <trans-unit id="Regex_expression"> <source>expression</source> <target state="translated">expresión</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_long"> <source>Matches a form-feed character, \u000C</source> <target state="translated">Coincide con un carácter de avance de página, \u000C</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_short"> <source>form-feed character</source> <target state="translated">carácter de avance de página</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_long"> <source>This grouping construct applies or disables the specified options within a subexpression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Esta construcción de agrupación aplica o deshabilita las opciones especificadas dentro de una subexpresión. Las opciones de habilitación se especifican después del signo de interrogación y las opciones de deshabilitación después del signo menos. Las opciones permitidas son:\: i Usar la coincidencia sin distinción de mayúsculas y minúsculas. m Usar el modo de varias líneas, donde ^ y $ coinciden con el principio y el final de cada línea (en lugar del principio y del final de la cadena de entrada). s Usar el modo de una sola línea, donde el punto (.) coincide con todos los caracteres (en lugar de todos los caracteres excepto \n). n No capturar grupos sin nombre. Las únicas capturas válidas son explícitamente grupos con nombre o numerados con el formato (? &lt;name&gt; subexpresión). x Excluir el espacio en blanco sin escape del patrón y habilitar los comentarios después de un signo de número (#).</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_short"> <source>group options</source> <target state="translated">opciones de grupo</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_long"> <source>Matches an ASCII character, where ## is a two-digit hexadecimal character code.</source> <target state="translated">Coincide con un carácter ASCII, donde ## es un código de carácter hexadecimal de dos dígitos.</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_short"> <source>hexadecimal escape</source> <target state="translated">escape hexadecimal</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_long"> <source>The (?# comment) construct lets you include an inline comment in a regular expression. The regular expression engine does not use any part of the comment in pattern matching, although the comment is included in the string that is returned by the Regex.ToString method. The comment ends at the first closing parenthesis.</source> <target state="translated">La construcción (comentario ?#) permite incluir un comentario alineado en una expresión regular. El motor de expresiones regulares no usa ninguna parte del comentario en la coincidencia de patrones, aunque el comentario está incluido en la cadena devuelta por el método Regex.ToString. El comentario termina en el primer paréntesis de cierre.</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_short"> <source>inline comment</source> <target state="translated">comentario insertado</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_long"> <source>Enables or disables specific pattern matching options for the remainder of a regular expression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Habilita o deshabilita las opciones de coincidencia de patrones específicas para el resto de una expresión regular. Las opciones de habilitación se especifican después del signo de interrogación y las opciones de deshabilitación después del signo menos. Las opciones permitidas son: i Usar la coincidencia sin distinción de mayúsculas y minúsculas. m Usar el modo de varias líneas, donde ^ y $ coinciden con el principio y el final de cada línea (en lugar del principio y del final de la cadena de entrada). s Usar el modo de una sola línea, donde el punto (.) coincide con todos los caracteres (en lugar de todos los caracteres excepto \n). n No capturar grupos sin nombre. Las únicas capturas válidas son explícitamente o grupos con nombre o número con el formato (? &lt;name&gt; subexpresión). x Excluir el espacio en blanco sin escape del patrón y habilitar los comentarios después de un signo de número (#).</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_short"> <source>inline options</source> <target state="translated">opciones insertadas</target> <note /> </trans-unit> <trans-unit id="Regex_issue_0"> <source>Regex issue: {0}</source> <target state="translated">Problema de Regex: {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. {0} will be the actual text of one of the above Regular Expression errors.</note> </trans-unit> <trans-unit id="Regex_letter_lowercase"> <source>letter, lowercase</source> <target state="translated">letra, minúscula</target> <note /> </trans-unit> <trans-unit id="Regex_letter_modifier"> <source>letter, modifier</source> <target state="translated">letra, modificador</target> <note /> </trans-unit> <trans-unit id="Regex_letter_other"> <source>letter, other</source> <target state="translated">letra, otro</target> <note /> </trans-unit> <trans-unit id="Regex_letter_titlecase"> <source>letter, titlecase</source> <target state="translated">letra, tipo título</target> <note /> </trans-unit> <trans-unit id="Regex_letter_uppercase"> <source>letter, uppercase</source> <target state="translated">letra, mayúscula</target> <note /> </trans-unit> <trans-unit id="Regex_mark_enclosing"> <source>mark, enclosing</source> <target state="translated">marca, de cierre</target> <note /> </trans-unit> <trans-unit id="Regex_mark_nonspacing"> <source>mark, nonspacing</source> <target state="translated">marca, sin espaciado</target> <note /> </trans-unit> <trans-unit id="Regex_mark_spacing_combining"> <source>mark, spacing combining</source> <target state="translated">marca, espaciado combinable</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_long"> <source>The {n,}? quantifier matches the preceding element at least n times, where n is any integer, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,}</source> <target state="translated">El cuantificador {n,}? coincide con el elemento anterior al menos n veces, donde n es cualquier entero, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo {n,}</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">coincidir al menos "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_long"> <source>The {n,} quantifier matches the preceding element at least n times, where n is any integer. {n,} is a greedy quantifier whose lazy equivalent is {n,}?</source> <target state="translated">El cuantificador {n,} coincide con el elemento anterior al menos n veces, donde n es un entero. {n,} es un cuantificador expansivo cuyo equivalente diferido es {n,}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_short"> <source>match at least 'n' times</source> <target state="translated">coincidir al menos "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_long"> <source>The {n,m}? quantifier matches the preceding element between n and m times, where n and m are integers, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,m}</source> <target state="translated">El cuantificador {n,m}? coincide con el elemento anterior entre n y m veces, donde n y m son enteros, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo {n,m}</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">coincidir al menos "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_long"> <source>The {n,m} quantifier matches the preceding element at least n times, but no more than m times, where n and m are integers. {n,m} is a greedy quantifier whose lazy equivalent is {n,m}?</source> <target state="translated">El cuantificador {n, m} coincide con el elemento anterior n veces como mínimo, pero no más de m veces, donde n y m son enteros. {n,m} es un cuantificador expansivo cuyo equivalente diferido es {n,m}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_short"> <source>match between 'm' and 'n' times</source> <target state="translated">coincidir entre "m" y "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_long"> <source>The {n}? quantifier matches the preceding element exactly n times, where n is any integer. It is the lazy counterpart of the greedy quantifier {n}+</source> <target state="translated">El cuantificador {n}? coincide exactamente n veces con el elemento anterior, donde n es un entero. Es el equivalente diferido del cuantificador expansivo {n}+</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_short"> <source>match exactly 'n' times (lazy)</source> <target state="translated">coincidir exactamente "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_long"> <source>The {n} quantifier matches the preceding element exactly n times, where n is any integer. {n} is a greedy quantifier whose lazy equivalent is {n}?</source> <target state="translated">El cuantificador {n} coincide exactamente n veces con el elemento anterior, donde n es un entero. {n} es un cuantificador expansivo cuyo equivalente diferido es {n}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_short"> <source>match exactly 'n' times</source> <target state="translated">coincidir exactamente "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_long"> <source>The +? quantifier matches the preceding element one or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier +</source> <target state="translated">El cuantificador +? coincide con el elemento anterior cero o más veces, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo +</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_short"> <source>match one or more times (lazy)</source> <target state="translated">coincidir una o varias veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_long"> <source>The + quantifier matches the preceding element one or more times. It is equivalent to the {1,} quantifier. + is a greedy quantifier whose lazy equivalent is +?.</source> <target state="translated">El cuantificador + coincide con el elemento anterior una o más veces. Es equivalente al cuantificador {1,}. + es un cuantificador expansivo cuyo equivalente diferido es +?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_short"> <source>match one or more times</source> <target state="translated">coincidir una o varias veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_long"> <source>The *? quantifier matches the preceding element zero or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier *</source> <target state="translated">El cuantificador *? coincide con el elemento anterior cero o más veces, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo *</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_short"> <source>match zero or more times (lazy)</source> <target state="translated">coincidir cero o más veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_long"> <source>The * quantifier matches the preceding element zero or more times. It is equivalent to the {0,} quantifier. * is a greedy quantifier whose lazy equivalent is *?.</source> <target state="translated">El cuantificador * coincide con el elemento anterior cero o más veces. Es equivalente al cuantificador {0,}. * es un cuantificador expansivo cuyo equivalente diferido es *?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_short"> <source>match zero or more times</source> <target state="translated">coincidir cero o más veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_long"> <source>The ?? quantifier matches the preceding element zero or one time, but as few times as possible. It is the lazy counterpart of the greedy quantifier ?</source> <target state="translated">El cuantificador ?? coincide con el elemento anterior cero veces o una, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo ?</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_short"> <source>match zero or one time (lazy)</source> <target state="translated">coincidir cero veces o una vez (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_long"> <source>The ? quantifier matches the preceding element zero or one time. It is equivalent to the {0,1} quantifier. ? is a greedy quantifier whose lazy equivalent is ??.</source> <target state="translated">El cuantificador ? coincide con el elemento anterior cero veces o una. Es equivalente al cuantificador {0,1}. ? es un cuantificador expansivo cuyo equivalente diferido es ??.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_short"> <source>match zero or one time</source> <target state="translated">coincidir cero veces o una vez</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_long"> <source>This grouping construct captures a matched 'subexpression', where 'subexpression' is any valid regular expression pattern. Captures that use parentheses are numbered automatically from left to right based on the order of the opening parentheses in the regular expression, starting from one. The capture that is numbered zero is the text matched by the entire regular expression pattern.</source> <target state="translated">Esta construcción de agrupación captura una "subexpresión" coincidente, donde "subexpresión" es cualquier patrón de expresión regular válido. Las capturas que usan paréntesis se numeran automáticamente de izquierda a derecha según el orden de los paréntesis de apertura en la expresión regular, a partir de uno. La captura con número cero es el texto coincidente con el patrón de expresión regular completo.</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_short"> <source>matched subexpression</source> <target state="translated">subexpresión coincidente</target> <note /> </trans-unit> <trans-unit id="Regex_name"> <source>name</source> <target state="translated">nombre</target> <note /> </trans-unit> <trans-unit id="Regex_name1"> <source>name1</source> <target state="translated">name1</target> <note /> </trans-unit> <trans-unit id="Regex_name2"> <source>name2</source> <target state="translated">name2</target> <note /> </trans-unit> <trans-unit id="Regex_name_or_number"> <source>name-or-number</source> <target state="translated">nombre o número</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_long"> <source>A named or numbered backreference. 'name' is the name of a capturing group defined in the regular expression pattern.</source> <target state="translated">Una referencia inversa con nombre o numerada. "name" es el nombre de un grupo de captura definido en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_short"> <source>named backreference</source> <target state="translated">referencia inversa con nombre</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_long"> <source>Captures a matched subexpression and lets you access it by name or by number. 'name' is a valid group name, and 'subexpression' is any valid regular expression pattern. 'name' must not contain any punctuation characters and cannot begin with a number. If the RegexOptions parameter of a regular expression pattern matching method includes the RegexOptions.ExplicitCapture flag, or if the n option is applied to this subexpression, the only way to capture a subexpression is to explicitly name capturing groups.</source> <target state="translated">Captura una subexpresión coincidente y le permite acceder a ella por el nombre o el número. "name" es un nombre de grupo válido y "subexpression" es cualquier patrón de expresión regular válido. "name" no debe contener ningún carácter de puntuación y no puede comenzar con un número. Si el parámetro RegexOptions de un método de coincidencia de patrones de expresión regular incluye la marca RegexOptions.ExplicitCapture, o si la opción n se aplica a esta subexpresión, la única forma de capturar una subexpresión consiste en asignar un nombre explícito a los grupos de captura.</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_short"> <source>named matched subexpression</source> <target state="translated">subexpresión coincidente con nombre</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_long"> <source>A negative character group specifies a list of characters that must not appear in an input string for a match to occur. The list of characters are specified individually. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un grupo de caracteres negativos especifica una lista de caracteres que no deben aparecer en una cadena de entrada para que se produzca una correspondencia. La lista de caracteres se especifica individualmente. Se pueden concatenar dos o más intervalos de caracteres. Por ejemplo, para especificar el intervalo de dígitos decimales de "0" a "9", el intervalo de letras minúsculas de "a" a "f" y el intervalo de letras mayúsculas de "A" a "F", utilice [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_short"> <source>negative character group</source> <target state="translated">grupo de caracteres negativos</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_long"> <source>A negative character range specifies a list of characters that must not appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range, and 'lastCharacter' is the character that ends the range. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un intervalo de caracteres negativos especifica una lista de caracteres que no deben aparecer en una cadena de entrada para que se produzca una correspondencia. "firstCharacter" es el carácter con el que comienza el intervalo y "lastCharacter" es el carácter con el que finaliza el intervalo. Se pueden concatenar dos o más intervalos de caracteres. Por ejemplo, para especificar el intervalo de dígitos decimales de "0" a "9", el intervalo de letras minúsculas de "a" a "f" y el intervalo de letras mayúsculas de "A" a "F", utilice [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_short"> <source>negative character range</source> <target state="translated">intervalo de caracteres negativos</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_long"> <source>The regular expression construct \P{ name } matches any character that does not belong to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construcción de expresión regular \P{ name } coincide con cualquier carácter que no pertenezca a una categoría general o bloque con nombre de Unicode, donde el nombre es la abreviatura de la categoría o el nombre del bloque con nombre.</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_short"> <source>negative unicode category</source> <target state="translated">categoría de Unicode negativa</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_long"> <source>Matches a new-line character, \u000A</source> <target state="translated">Coincide con un carácter de nueva línea, \u000A</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_short"> <source>new-line character</source> <target state="translated">carácter de nueva línea</target> <note /> </trans-unit> <trans-unit id="Regex_no"> <source>no</source> <target state="translated">no</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_long"> <source>\D matches any non-digit character. It is equivalent to the \P{Nd} regular expression pattern. If ECMAScript-compliant behavior is specified, \D is equivalent to [^0-9]</source> <target state="translated">\D coincide con cualquier carácter que no sea un dígito. Equivalente al patrón de expresión regular \P{Nd}. Si se especifica un comportamiento compatible con ECMAScript, \D equivale a [^0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_short"> <source>non-digit character</source> <target state="translated">carácter que no es un dígito</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_long"> <source>\S matches any non-white-space character. It is equivalent to the [^\f\n\r\t\v\x85\p{Z}] regular expression pattern, or the opposite of the regular expression pattern that is equivalent to \s, which matches white-space characters. If ECMAScript-compliant behavior is specified, \S is equivalent to [^ \f\n\r\t\v]</source> <target state="translated">\S coincide con cualquier carácter que no sea un espacio en blanco. Equivalente al patrón de expresión regular [^\f\n\r\t\v\x85\p{Z}], o el contrario del modelo de expresión regular equivalente a \s, que corresponde a los caracteres de espacio en blanco. Si se especifica un comportamiento compatible con ECMAScript, \S equivale a [^ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_short"> <source>non-white-space character</source> <target state="translated">carácter que no es un espacio en blanco</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_long"> <source>The \B anchor specifies that the match must not occur on a word boundary. It is the opposite of the \b anchor.</source> <target state="translated">El delimitador \B especifica que la coincidencia no se debe producir en un límite de palabras. Es el opuesto del delimitador \b.</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_short"> <source>non-word boundary</source> <target state="translated">límite que no es una palabra</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_character_long"> <source>\W matches any non-word character. It matches any character except for those in the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \W is equivalent to [^a-zA-Z_0-9]</source> <target state="translated">\W coincide con cualquier carácter que no sea una palabra. Coincide con cualquier carácter excepto los de las siguientes categorías Unicode: Ll Letra, minúscula Lu Letra, mayúscula Lt Letra, tipo título Lo Letra, otros Lm Letra, modificador Mn Marca, no espaciado Nd Número, dígito decimal Pc Puntuación, conector Si se especifica un comportamiento compatible con ECMAScript, \W equivale a [^a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized. </note> </trans-unit> <trans-unit id="Regex_non_word_character_short"> <source>non-word character</source> <target state="translated">carácter que no es una palabra</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_long"> <source>This construct does not capture the substring that is matched by a subexpression: The noncapturing group construct is typically used when a quantifier is applied to a group, but the substrings captured by the group are of no interest. If a regular expression includes nested grouping constructs, an outer noncapturing group construct does not apply to the inner nested group constructs.</source> <target state="translated">Esta construcción no captura la subcadena que coincide con una subexpresión: La construcción de grupo que no captura se usa normalmente cuando un cuantificador se aplica a un grupo, pero las subcadenas capturadas por el grupo no tienen ningún interés. Si una expresión regular incluye construcciones de agrupación anidadas, una construcción de grupo que no captura externa no se aplica a las construcciones de grupo anidadas internas.</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_short"> <source>noncapturing group</source> <target state="translated">Grupo que no captura</target> <note /> </trans-unit> <trans-unit id="Regex_number_decimal_digit"> <source>number, decimal digit</source> <target state="translated">número, dígito decimal</target> <note /> </trans-unit> <trans-unit id="Regex_number_letter"> <source>number, letter</source> <target state="translated">número, letra</target> <note /> </trans-unit> <trans-unit id="Regex_number_other"> <source>number, other</source> <target state="translated">número, otro</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_long"> <source>A numbered backreference, where 'number' is the ordinal position of the capturing group in the regular expression. For example, \4 matches the contents of the fourth capturing group. There is an ambiguity between octal escape codes (such as \16) and \number backreferences that use the same notation. If the ambiguity is a problem, you can use the \k&lt;name&gt; notation, which is unambiguous and cannot be confused with octal character codes. Similarly, hexadecimal codes such as \xdd are unambiguous and cannot be confused with backreferences.</source> <target state="translated">Una referencia inversa numerada, donde "number" es la posición ordinal del grupo de captura en la expresión regular. Por ejemplo, \4 coincide con el contenido del cuarto grupo de captura. Existe una ambigüedad entre los códigos de escape octales (como \16) y las referencias inversas de \number que usan la misma notación. Si la ambigüedad es un problema, puede utilizar la notación \k&lt;name&gt;, que no es ambigua y no se puede confundir con códigos de caracteres octales. Del mismo modo, los códigos hexadecimales como \xdd son inequívocos y no se pueden confundir con referencias inversas.</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_short"> <source>numbered backreference</source> <target state="translated">referencia inversa numerada</target> <note /> </trans-unit> <trans-unit id="Regex_other_control"> <source>other, control</source> <target state="translated">otro, control</target> <note /> </trans-unit> <trans-unit id="Regex_other_format"> <source>other, format</source> <target state="translated">otro, formato</target> <note /> </trans-unit> <trans-unit id="Regex_other_not_assigned"> <source>other, not assigned</source> <target state="translated">otro, no asignado</target> <note /> </trans-unit> <trans-unit id="Regex_other_private_use"> <source>other, private use</source> <target state="translated">otro, uso privado</target> <note /> </trans-unit> <trans-unit id="Regex_other_surrogate"> <source>other, surrogate</source> <target state="translated">otro, suplente</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_long"> <source>A positive character group specifies a list of characters, any one of which may appear in an input string for a match to occur.</source> <target state="translated">Un grupo de caracteres positivos especifica una lista de caracteres, cualquiera de los cuales puede aparecer en una cadena de entrada para que se produzca una coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_short"> <source>positive character group</source> <target state="translated">grupo de caracteres positivos</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_long"> <source>A positive character range specifies a range of characters, any one of which may appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range and 'lastCharacter' is the character that ends the range. </source> <target state="translated">Un intervalo de caracteres positivo especifica un intervalo de caracteres, cualquiera de los cuales puede aparecer en una cadena de entrada para que se produzca una coincidencia. "firstCharacter" es el carácter con el que comienza el intervalo y "lastCharacter" es el carácter cpm el que finaliza el intervalo. </target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_short"> <source>positive character range</source> <target state="translated">intervalo de caracteres positivos</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_close"> <source>punctuation, close</source> <target state="translated">puntuación, cerrar</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_connector"> <source>punctuation, connector</source> <target state="translated">puntuación, conector</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_dash"> <source>punctuation, dash</source> <target state="translated">puntuación, guion</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_final_quote"> <source>punctuation, final quote</source> <target state="translated">puntuación, comilla final</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_initial_quote"> <source>punctuation, initial quote</source> <target state="translated">puntuación, comilla inicial</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_open"> <source>punctuation, open</source> <target state="translated">puntuación, abrir</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_other"> <source>punctuation, other</source> <target state="translated">puntuación, otro</target> <note /> </trans-unit> <trans-unit id="Regex_separator_line"> <source>separator, line</source> <target state="translated">separador, línea</target> <note /> </trans-unit> <trans-unit id="Regex_separator_paragraph"> <source>separator, paragraph</source> <target state="translated">separador, párrafo</target> <note /> </trans-unit> <trans-unit id="Regex_separator_space"> <source>separator, space</source> <target state="translated">separador, espacio</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_long"> <source>The \A anchor specifies that a match must occur at the beginning of the input string. It is identical to the ^ anchor, except that \A ignores the RegexOptions.Multiline option. Therefore, it can only match the start of the first line in a multiline input string.</source> <target state="translated">El delimitador \A especifica que debe producirse una coincidencia al principio de la cadena de entrada. Es idéntico al delimitador ^, excepto que \A omite la opción RegexOptions.Multiline. Por lo tanto, solo puede coincidir con el inicio de la primera línea en una cadena de entrada de varias líneas.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_short"> <source>start of string only</source> <target state="translated">solo el inicio de la cadena</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_long"> <source>The ^ anchor specifies that the following pattern must begin at the first character position of the string. If you use ^ with the RegexOptions.Multiline option, the match must occur at the beginning of each line.</source> <target state="translated">El delimitador ^ especifica que el siguiente patrón debe comenzar en la primera posición de carácter de la cadena. Si usa ^ con la opción RegexOptions.Multiline, la coincidencia debe producirse al principio de cada línea.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_short"> <source>start of string or line</source> <target state="translated">Inicio de cadena o línea</target> <note /> </trans-unit> <trans-unit id="Regex_subexpression"> <source>subexpression</source> <target state="translated">subexpresión</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_currency"> <source>symbol, currency</source> <target state="translated">símbolo, moneda</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_math"> <source>symbol, math</source> <target state="translated">símbolo, matemático</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_modifier"> <source>symbol, modifier</source> <target state="translated">símbolo, modificador</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_other"> <source>symbol, other</source> <target state="translated">símbolo, otro</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_long"> <source>Matches a tab character, \u0009</source> <target state="translated">Coincide con un carácter de tabulación, \u0009</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_short"> <source>tab character</source> <target state="translated">carácter de tabulación</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_long"> <source>The regular expression construct \p{ name } matches any character that belongs to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">El constructor de expresión regular \p{ name } coincide con cualquier carácter que pertenezca a una categoría general o bloque con nombre de Unicode, donde el nombre es la abreviatura de la categoría o el nombre del bloque con nombre.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_short"> <source>unicode category</source> <target state="translated">categoría unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_long"> <source>Matches a UTF-16 code unit whose value is #### hexadecimal.</source> <target state="translated">Coincide con una unidad de código UTF-16 cuyo valor es #### hexadecimal.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_short"> <source>unicode escape</source> <target state="translated">escape unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_general_category_0"> <source>Unicode General Category: {0}</source> <target state="translated">Categoría General de Unicode: {0}</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_long"> <source>Matches a vertical-tab character, \u000B</source> <target state="translated">Coincide con un carácter de tabulación vertical, \u000B</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_short"> <source>vertical-tab character</source> <target state="translated">carácter de tabulación vertical</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_long"> <source>\s matches any white-space character. It is equivalent to the following escape sequences and Unicode categories: \f The form feed character, \u000C \n The newline character, \u000A \r The carriage return character, \u000D \t The tab character, \u0009 \v The vertical tab character, \u000B \x85 The ellipsis or NEXT LINE (NEL) character (…), \u0085 \p{Z} Matches any separator character If ECMAScript-compliant behavior is specified, \s is equivalent to [ \f\n\r\t\v]</source> <target state="translated">\s coincide con cualquier carácter de espacio en blanco. Equivale a las siguientes secuencias de escape y categorías Unicode: \f El carácter de avance de página, \u000C \n El carácter de nueva línea, \u000A \r El carácter de retorno de carro, \u000D \t El carácter de tabulación, \u0009 \v El carácter de tabulación vertical, \u000B \x85 El carácter de puntos suspensivos o NEXT LINE (NEL) (...), \u0085 \p{Z} Corresponde a cualquier carácter separador Si se especifica un comportamiento compatible con ECMAScript, \s equivale a [ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_short"> <source>white-space character</source> <target state="translated">carácter de espacio en blanco</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_long"> <source>The \b anchor specifies that the match must occur on a boundary between a word character (the \w language element) and a non-word character (the \W language element). Word characters consist of alphanumeric characters and underscores; a non-word character is any character that is not alphanumeric or an underscore. The match may also occur on a word boundary at the beginning or end of the string. The \b anchor is frequently used to ensure that a subexpression matches an entire word instead of just the beginning or end of a word.</source> <target state="translated">El delimitador \b especifica que la coincidencia debe producirse en un límite entre un carácter de palabra (el elemento de lenguaje \w) y un carácter que no sea de palabra (el elemento del lenguaje \W). Los caracteres de palabra se componen de caracteres alfanuméricos y de subrayado; un carácter que no es de palabra es cualquier carácter que no sea alfanumérico o de subrayado. La coincidencia también puede producirse en un límite de palabra al principio o al final de la cadena. El delimitador \b se usa con frecuencia para garantizar que una subexpresión coincide con una palabra completa en lugar de solo con el principio o el final de una palabra.</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_short"> <source>word boundary</source> <target state="translated">límite de palabra</target> <note /> </trans-unit> <trans-unit id="Regex_word_character_long"> <source>\w matches any word character. A word character is a member of any of the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \w is equivalent to [a-zA-Z_0-9]</source> <target state="translated">\w coincide con cualquier carácter de palabra. Un carácter de palabra forma parte de cualquiera de las siguientes categorías Unicode: Ll Letra, minúscula Lu Letra, mayúscula Lt Letra, tipo título Lo Letra, otros Lm Letra, modificador Mn Marca, no espaciado Nd Número, dígito decimal Pc Puntuación, conector Si se especifica un comportamiento compatible con ECMAScript, \w equivale a [a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized.</note> </trans-unit> <trans-unit id="Regex_word_character_short"> <source>word character</source> <target state="translated">carácter de palabra</target> <note /> </trans-unit> <trans-unit id="Regex_yes"> <source>yes</source> <target state="translated">sí</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_long"> <source>A zero-width negative lookahead assertion, where for the match to be successful, the input string must not match the regular expression pattern in subexpression. The matched string is not included in the match result. A zero-width negative lookahead assertion is typically used either at the beginning or at the end of a regular expression. At the beginning of a regular expression, it can define a specific pattern that should not be matched when the beginning of the regular expression defines a similar but more general pattern to be matched. In this case, it is often used to limit backtracking. At the end of a regular expression, it can define a subexpression that cannot occur at the end of a match.</source> <target state="translated">Una aserción de búsqueda anticipada (lookahead) negativa de ancho cero, donde para que la coincidencia sea correcta, la cadena de entrada no debe coincidir con el patrón de expresión regular en la subexpresión. La cadena coincidente no se incluye en el resultado de la coincidencia. Una aserción de búsqueda anticipada (lookahead) negativa de ancho cero se utiliza normalmente al principio o al final de una expresión regular. Al comienzo de una expresión regular, puede definir un patrón específico que no debe coincidir cuando el comienzo de la expresión regular define un patrón similar pero más general para la coincidencia. En este caso, se suele usar para limitar el seguimiento con retroceso. Al final de una expresión regular, puede definir una subexpresión que no se puede producir al final de una coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_short"> <source>zero-width negative lookahead assertion</source> <target state="translated">aserción de búsqueda anticipada (lookahead) negativa de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_long"> <source>A zero-width negative lookbehind assertion, where for a match to be successful, 'subexpression' must not occur at the input string to the left of the current position. Any substring that does not match 'subexpression' is not included in the match result. Zero-width negative lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define precludes a match in the string that follows. They are also used to limit backtracking when the last character or characters in a captured group must not be one or more of the characters that match that group's regular expression pattern.</source> <target state="translated">Una aserción de búsqueda retrasada (lookbehind) negativa de ancho cero, donde para que una coincidencia sea correcta, "subexpresión" no se debe producir en la cadena de entrada a la izquierda de la posición actual. Cualquier subcadena que no coincida con "subexpresión" no se incluye en el resultado de la coincidencia. Las aserciones de búsqueda retrasada (lookbehind) negativas de ancho cero se usan normalmente al principio de las expresiones regulares. El patrón que definen excluye una coincidencia en la cadena que aparece a continuación. También se usan para limitar el seguimiento con retroceso cuando el último o los últimos caracteres de un grupo capturado no deban ser uno o varios de los caracteres que coinciden con el patrón de expresión regular de ese grupo.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_short"> <source>zero-width negative lookbehind assertion</source> <target state="translated">aserción de búsqueda retrasada (lookbehind) negativa de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_long"> <source>A zero-width positive lookahead assertion, where for a match to be successful, the input string must match the regular expression pattern in 'subexpression'. The matched substring is not included in the match result. A zero-width positive lookahead assertion does not backtrack. Typically, a zero-width positive lookahead assertion is found at the end of a regular expression pattern. It defines a substring that must be found at the end of a string for a match to occur but that should not be included in the match. It is also useful for preventing excessive backtracking. You can use a zero-width positive lookahead assertion to ensure that a particular captured group begins with text that matches a subset of the pattern defined for that captured group.</source> <target state="translated">Una aserción de búsqueda anticipada (lookahead) positiva de ancho cero, donde para que una coincidencia sea correcta, la cadena de entrada debe coincidir con el modelo de expresión regular en "subexpresión". La subcadena coincidente no está incluida en el resultado de la coincidencia. Una aserción de búsqueda anticipada (lookahead) positiva de ancho cero no tiene seguimiento con retroceso. Normalmente, una aserción de búsqueda anticipada (lookahead) positiva de ancho cero se encuentra al final de un patrón de expresión regular. Define una subcadena que debe encontrarse al final de una cadena para que se produzca una coincidencia, pero que no debe incluirse en la coincidencia. También resulta útil para evitar un seguimiento con retroceso excesivo. Puede usar una aserción de búsqueda anticipada (lookahead) positiva de ancho cero para asegurarse de que un grupo capturado en particular empiece con texto que coincida con un subconjunto del patrón definido para ese grupo capturado.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_short"> <source>zero-width positive lookahead assertion</source> <target state="translated">aserción de búsqueda anticipada (lookahead) positiva de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_long"> <source>A zero-width positive lookbehind assertion, where for a match to be successful, 'subexpression' must occur at the input string to the left of the current position. 'subexpression' is not included in the match result. A zero-width positive lookbehind assertion does not backtrack. Zero-width positive lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define is a precondition for a match, although it is not a part of the match result.</source> <target state="translated">Una aserción de búsqueda retrasada (lookbehind) positiva de ancho cero, donde para que una coincidencia sea correcta, "subexpresión" debe aparecer en la cadena de entrada a la izquierda de la posición actual. "subexpresión" no se incluye en el resultado de la coincidencia. Una aserción de búsqueda retrasada (lookbehind) positiva de ancho cero no tiene seguimiento con retroceso. Las aserciones de búsqueda retrasada (lookbehind) positivas de ancho cero se usan normalmente al principio de las expresiones regulares. El patrón que definen es una condición previa para una coincidencia, aunque no forma parte del resultado de la coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_short"> <source>zero-width positive lookbehind assertion</source> <target state="translated">aserción de búsqueda retrasada (lookbehind) positiva de ancho cero</target> <note /> </trans-unit> <trans-unit id="Related_method_signatures_found_in_metadata_will_not_be_updated"> <source>Related method signatures found in metadata will not be updated.</source> <target state="translated">Las signaturas de método relacionadas encontradas en los metadatos no se actualizarán.</target> <note /> </trans-unit> <trans-unit id="Removal_of_document_not_supported"> <source>Removal of document not supported</source> <target state="translated">No se admite la eliminación del documento</target> <note /> </trans-unit> <trans-unit id="Remove_async_modifier"> <source>Remove 'async' modifier</source> <target state="translated">Quitar el modificador "async"</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_casts"> <source>Remove unnecessary casts</source> <target state="translated">Quitar conversiones innecesarias</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variables"> <source>Remove unused variables</source> <target state="translated">Quitar variables no utilizadas</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_accessed_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_contains_an_active_statement_requires_restarting_the_application"> <source>Removing {0} that contains an active statement requires restarting the application.</source> <target state="new">Removing {0} that contains an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application"> <source>Renaming {0} requires restarting the application.</source> <target state="new">Renaming {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Renaming {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Renaming {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Renaming_a_captured_variable_from_0_to_1_requires_restarting_the_application"> <source>Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</source> <target state="new">Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_1"> <source>Replace '{0}' with '{1}' </source> <target state="translated">Reemplazar "{0}" por "{1}"</target> <note /> </trans-unit> <trans-unit id="Resolve_conflict_markers"> <source>Resolve conflict markers</source> <target state="translated">Resolver los marcadores de conflicto</target> <note /> </trans-unit> <trans-unit id="RudeEdit"> <source>Rude edit</source> <target state="translated">Edición superficial</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_token"> <source>Selection does not contain a valid token.</source> <target state="new">Selection does not contain a valid token.</target> <note /> </trans-unit> <trans-unit id="Selection_not_contained_inside_a_type"> <source>Selection not contained inside a type.</source> <target state="new">Selection not contained inside a type.</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Ordenar modificadores de accesibilidad</target> <note /> </trans-unit> <trans-unit id="Split_into_consecutive_0_statements"> <source>Split into consecutive '{0}' statements</source> <target state="translated">Dividir en instrucciones "{0}" consecutivas</target> <note /> </trans-unit> <trans-unit id="Split_into_nested_0_statements"> <source>Split into nested '{0}' statements</source> <target state="translated">Dividir en instrucciones "{0}" anidadas</target> <note /> </trans-unit> <trans-unit id="StreamMustSupportReadAndSeek"> <source>Stream must support read and seek operations.</source> <target state="translated">La secuencia debe admitir las operaciones de lectura y búsqueda.</target> <note /> </trans-unit> <trans-unit id="Suppress_0"> <source>Suppress {0}</source> <target state="translated">Suprimir {0}</target> <note /> </trans-unit> <trans-unit id="Switching_between_lambda_and_local_function_requires_restarting_the_application"> <source>Switching between a lambda and a local function requires restarting the application.</source> <target state="new">Switching between a lambda and a local function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="TODO_colon_free_unmanaged_resources_unmanaged_objects_and_override_finalizer"> <source>TODO: free unmanaged resources (unmanaged objects) and override finalizer</source> <target state="translated">TODO: liberar los recursos no administrados (objetos no administrados) y reemplazar el finalizador</target> <note /> </trans-unit> <trans-unit id="TODO_colon_override_finalizer_only_if_0_has_code_to_free_unmanaged_resources"> <source>TODO: override finalizer only if '{0}' has code to free unmanaged resources</source> <target state="translated">TODO: reemplazar el finalizador solo si "{0}" tiene código para liberar los recursos no administrados</target> <note /> </trans-unit> <trans-unit id="Target_type_matches"> <source>Target type matches</source> <target state="translated">El tipo de destino coincide con</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_containing_type_1_references_NET_Framework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado "{0}" que contiene el tipo "{1}" hace referencia a .NET Framework, lo cual no se admite.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_a_local_function_call_without_its_declaration"> <source>The selection contains a local function call without its declaration.</source> <target state="translated">La selección contiene una llamada a una función local sin la declaración correspondiente.</target> <note /> </trans-unit> <trans-unit id="Too_many_bars_in_conditional_grouping"> <source>Too many | in (?()|)</source> <target state="translated">Demasiados | en (?()|)</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0)a|b|)</note> </trans-unit> <trans-unit id="Too_many_close_parens"> <source>Too many )'s</source> <target state="translated">Demasiados )</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: )</note> </trans-unit> <trans-unit id="UnableToReadSourceFileOrPdb"> <source>Unable to read source file '{0}' or the PDB built for the containing project. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">No se puede leer el archivo de código fuente "{0}" o el PDB compilado para el proyecto que lo contiene. Los cambios realizados en este archivo durante la depuración no se aplicarán hasta que su contenido coincida con el del código fuente compilado.</target> <note /> </trans-unit> <trans-unit id="Unknown_property"> <source>Unknown property</source> <target state="translated">Propiedad desconocida</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{}</note> </trans-unit> <trans-unit id="Unknown_property_0"> <source>Unknown property '{0}'</source> <target state="translated">Propiedad desconocida '{0}'</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{xxx}. Here, {0} will be the name of the unknown property ('xxx')</note> </trans-unit> <trans-unit id="Unrecognized_control_character"> <source>Unrecognized control character</source> <target state="translated">Carácter de control desconocido</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [\c]</note> </trans-unit> <trans-unit id="Unrecognized_escape_sequence_0"> <source>Unrecognized escape sequence \{0}</source> <target state="translated">Secuencia de escape no reconocida \{0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \m. Here, {0} will be the unrecognized character ('m')</note> </trans-unit> <trans-unit id="Unrecognized_grouping_construct"> <source>Unrecognized grouping construct</source> <target state="translated">Construcción de agrupación no reconocida</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;</note> </trans-unit> <trans-unit id="Unterminated_character_class_set"> <source>Unterminated [] set</source> <target state="translated">Conjunto [] sin terminar</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [</note> </trans-unit> <trans-unit id="Unterminated_regex_comment"> <source>Unterminated (?#...) comment</source> <target state="translated">Comentario (?#...) sin terminar</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?#</note> </trans-unit> <trans-unit id="Unwrap_all_arguments"> <source>Unwrap all arguments</source> <target state="translated">Desajustar todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Unwrap_all_parameters"> <source>Unwrap all parameters</source> <target state="translated">Desajustar todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_arguments"> <source>Unwrap and indent all arguments</source> <target state="translated">Desajustar todos los argumentos y aplicarles sangría</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_parameters"> <source>Unwrap and indent all parameters</source> <target state="translated">Desajustar todos los parámetros y aplicarles sangría</target> <note /> </trans-unit> <trans-unit id="Unwrap_argument_list"> <source>Unwrap argument list</source> <target state="translated">Desajustar la lista de argumentos</target> <note /> </trans-unit> <trans-unit id="Unwrap_call_chain"> <source>Unwrap call chain</source> <target state="translated">Desencapsular la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Unwrap_expression"> <source>Unwrap expression</source> <target state="translated">Desajustar la expresión</target> <note /> </trans-unit> <trans-unit id="Unwrap_parameter_list"> <source>Unwrap parameter list</source> <target state="translated">Desajustar la lista de parámetros</target> <note /> </trans-unit> <trans-unit id="Updating_0_requires_restarting_the_application"> <source>Updating '{0}' requires restarting the application.</source> <target state="new">Updating '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_0_around_an_active_statement_requires_restarting_the_application"> <source>Updating a {0} around an active statement requires restarting the application.</source> <target state="new">Updating a {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_complex_statement_containing_an_await_expression_requires_restarting_the_application"> <source>Updating a complex statement containing an await expression requires restarting the application.</source> <target state="new">Updating a complex statement containing an await expression requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_an_active_statement_requires_restarting_the_application"> <source>Updating an active statement requires restarting the application.</source> <target state="new">Updating an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_async_or_iterator_modifier_around_an_active_statement_requires_restarting_the_application"> <source>Updating async or iterator modifier around an active statement requires restarting the application.</source> <target state="new">Updating async or iterator modifier around an active statement requires restarting the application.</target> <note>{Locked="async"}{Locked="iterator"} "async" and "iterator" are C#/VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_reloadable_type_marked_by_0_attribute_or_its_member_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</source> <target state="new">Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_Handles_clause_of_0_requires_restarting_the_application"> <source>Updating the Handles clause of {0} requires restarting the application.</source> <target state="new">Updating the Handles clause of {0} requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_Implements_clause_of_a_0_requires_restarting_the_application"> <source>Updating the Implements clause of a {0} requires restarting the application.</source> <target state="new">Updating the Implements clause of a {0} requires restarting the application.</target> <note>{Locked="Implements"} "Implements" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_alias_of_Declare_statement_requires_restarting_the_application"> <source>Updating the alias of Declare statement requires restarting the application.</source> <target state="new">Updating the alias of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_attributes_of_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_base_class_and_or_base_interface_s_of_0_requires_restarting_the_application"> <source>Updating the base class and/or base interface(s) of {0} requires restarting the application.</source> <target state="new">Updating the base class and/or base interface(s) of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_initializer_of_0_requires_restarting_the_application"> <source>Updating the initializer of {0} requires restarting the application.</source> <target state="new">Updating the initializer of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_property_event_accessor_requires_restarting_the_application"> <source>Updating the kind of a property/event accessor requires restarting the application.</source> <target state="new">Updating the kind of a property/event accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_type_requires_restarting_the_application"> <source>Updating the kind of a type requires restarting the application.</source> <target state="new">Updating the kind of a type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_library_name_of_Declare_statement_requires_restarting_the_application"> <source>Updating the library name of Declare statement requires restarting the application.</source> <target state="new">Updating the library name of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_modifiers_of_0_requires_restarting_the_application"> <source>Updating the modifiers of {0} requires restarting the application.</source> <target state="new">Updating the modifiers of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_size_of_a_0_requires_restarting_the_application"> <source>Updating the size of a {0} requires restarting the application.</source> <target state="new">Updating the size of a {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_type_of_0_requires_restarting_the_application"> <source>Updating the type of {0} requires restarting the application.</source> <target state="new">Updating the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_underlying_type_of_0_requires_restarting_the_application"> <source>Updating the underlying type of {0} requires restarting the application.</source> <target state="new">Updating the underlying type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_variance_of_0_requires_restarting_the_application"> <source>Updating the variance of {0} requires restarting the application.</source> <target state="new">Updating the variance of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Use_block_body_for_lambda_expressions"> <source>Use block body for lambda expressions</source> <target state="translated">Usar cuerpo del bloque para las expresiones lambda</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambda_expressions"> <source>Use expression body for lambda expressions</source> <target state="translated">Usar órgano de expresión para expresiones lambda</target> <note /> </trans-unit> <trans-unit id="Use_interpolated_verbatim_string"> <source>Use interpolated verbatim string</source> <target state="translated">Utilizar cadenas verbatim interpoladas</target> <note /> </trans-unit> <trans-unit id="Value_colon"> <source>Value:</source> <target state="translated">Valor:</target> <note /> </trans-unit> <trans-unit id="Warning_colon_changing_namespace_may_produce_invalid_code_and_change_code_meaning"> <source>Warning: Changing namespace may produce invalid code and change code meaning.</source> <target state="translated">Advertencia: si cambia Cambiar el espacio de nombres puede producir código inválido y cambiar el significado del código.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_semantics_may_change_when_converting_statement"> <source>Warning: Semantics may change when converting statement.</source> <target state="translated">Advertencia: La semántica puede cambiar al convertir la instrucción.</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_call_chain"> <source>Wrap and align call chain</source> <target state="translated">Encapsular y alinear la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_expression"> <source>Wrap and align expression</source> <target state="translated">Expresión de encapsulado y alineación</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_long_call_chain"> <source>Wrap and align long call chain</source> <target state="translated">Encapsular y alinear la cadena de llamadas larga</target> <note /> </trans-unit> <trans-unit id="Wrap_call_chain"> <source>Wrap call chain</source> <target state="translated">Encapsular la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Wrap_every_argument"> <source>Wrap every argument</source> <target state="translated">Ajustar todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Wrap_every_parameter"> <source>Wrap every parameter</source> <target state="translated">Ajustar todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Wrap_expression"> <source>Wrap expression</source> <target state="translated">Ajustar la expresión</target> <note /> </trans-unit> <trans-unit id="Wrap_long_argument_list"> <source>Wrap long argument list</source> <target state="translated">Desajustar la lista larga de argumentos</target> <note /> </trans-unit> <trans-unit id="Wrap_long_call_chain"> <source>Wrap long call chain</source> <target state="translated">Encapsular la cadena de llamadas larga</target> <note /> </trans-unit> <trans-unit id="Wrap_long_parameter_list"> <source>Wrap long parameter list</source> <target state="translated">Ajustar la lista larga de parámetros</target> <note /> </trans-unit> <trans-unit id="Wrapping"> <source>Wrapping</source> <target state="translated">Ajuste</target> <note /> </trans-unit> <trans-unit id="You_can_use_the_navigation_bar_to_switch_contexts"> <source>You can use the navigation bar to switch contexts.</source> <target state="translated">Puede usar la barra de navegación para cambiar contextos.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_empty"> <source>'{0}' cannot be null or empty.</source> <target state="translated">'{0}' no puede ser nulo ni estar vacío.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_whitespace"> <source>'{0}' cannot be null or whitespace.</source> <target state="translated">"{0}" no puede ser NULL ni un espacio en blanco.</target> <note /> </trans-unit> <trans-unit id="_0_dash_1"> <source>{0} - {1}</source> <target state="translated">{0} - {1}</target> <note /> </trans-unit> <trans-unit id="_0_is_not_null_here"> <source>'{0}' is not null here.</source> <target state="translated">"{0}" no es NULL aquí.</target> <note /> </trans-unit> <trans-unit id="_0_may_be_null_here"> <source>'{0}' may be null here.</source> <target state="translated">"{0}" puede ser NULL aquí.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second"> <source>10,000,000ths of a second</source> <target state="translated">La diezmillonésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_description"> <source>The "fffffff" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "fffffff" representa los siete dígitos más significativos de la fracción de segundos, es decir, las diez millonésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las diez millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero"> <source>10,000,000ths of a second (non-zero)</source> <target state="translated">La diezmillonésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero_description"> <source>The "FFFFFFF" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. However, trailing zeros or seven zero digits aren't displayed. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFFFF" representa los siete dígitos más significativos de la fracción de segundos, es decir, las diez millonésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de siete ceros. Aunque es posible mostrar las diez millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second"> <source>1,000,000ths of a second</source> <target state="translated">1 millonésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_description"> <source>The "ffffff" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "ffffff" representa los seis dígitos más significativos de la fracción de segundos, es decir, las millonésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero"> <source>1,000,000ths of a second (non-zero)</source> <target state="translated">1 millonésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero_description"> <source>The "FFFFFF" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. However, trailing zeros or six zero digits aren't displayed. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFFF" representa los seis dígitos más significativos de la fracción de segundos, es decir, las millonésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de seis ceros. Aunque es posible mostrar las millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second"> <source>100,000ths of a second</source> <target state="translated">1 cienmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_description"> <source>The "fffff" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "fffff" representa los cinco dígitos más significativos de la fracción de segundos, es decir, las cienmilésimas de segundo de un valor de fecha y hora. Aunque se pueden mostrar las cienmilésimas de un componente de segundos de un valor de hora, es posible que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero"> <source>100,000ths of a second (non-zero)</source> <target state="translated">1 cienmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero_description"> <source>The "FFFFF" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. However, trailing zeros or five zero digits aren't displayed. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFF" representa los cinco dígitos más significativos de la fracción de segundos, es decir, las cienmilésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de cinco ceros. Aunque se pueden mostrar las cienmilésimas de un componente de segundos de un valor de hora, es posible que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second"> <source>10,000ths of a second</source> <target state="translated">1 diezmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_description"> <source>The "ffff" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT version 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "ffff" representa los cuatro dígitos más significativos de la fracción de segundos, es decir, las diezmilésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las diezmilésimas de un componente de segundo de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT versión 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero"> <source>10,000ths of a second (non-zero)</source> <target state="translated">1 diezmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero_description"> <source>The "FFFF" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. However, trailing zeros or four zero digits aren't displayed. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFF" representa los cuatro dígitos más significativos de la fracción de segundos, es decir, las diezmilésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de cuatro ceros. Aunque es posible mostrar la diezmilésima parte de un segundo de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second"> <source>1,000ths of a second</source> <target state="translated">1 milésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_description"> <source>The "fff" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value.</source> <target state="translated">El especificador de formato personalizado "fff" representa los tres dígitos más significativos de la fracción de segundos, es decir, los milisegundos de un valor de fecha y hora.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero"> <source>1,000ths of a second (non-zero)</source> <target state="translated">1 milésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero_description"> <source>The "FFF" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value. However, trailing zeros or three zero digits aren't displayed.</source> <target state="translated">El especificador de formato personalizado "FFF" representa los tres dígitos más significativos de la fracción de segundos, es decir, los milisegundos de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de tres ceros.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second"> <source>100ths of a second</source> <target state="translated">1 cienmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_description"> <source>The "ff" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value.</source> <target state="translated">El especificador de formato personalizado "ff" representa los dos dígitos más significativos de la fracción de segundos, es decir, la centésima parte de segundo de un valor de fecha y hora.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero"> <source>100ths of a second (non-zero)</source> <target state="translated">1 cienmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero_description"> <source>The "FF" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value. However, trailing zeros or two zero digits aren't displayed.</source> <target state="translated">El especificador de formato personalizado "FF" representa los dos dígitos más significativos de la fracción de segundos, es decir, la centésima parte de un segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de dos ceros.</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second"> <source>10ths of a second</source> <target state="translated">1 diezmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_description"> <source>The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</source> <target state="new">The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</target> <note>{Locked="ParseExact"}{Locked="TryParseExact"}{Locked=""f""}</note> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero"> <source>10ths of a second (non-zero)</source> <target state="translated">1 diezmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero_description"> <source>The "F" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. Nothing is displayed if the digit is zero. If the "F" format specifier is used without other format specifiers, it's interpreted as the "F" standard date and time format specifier. The number of "F" format specifiers used with the ParseExact, TryParseExact, ParseExact, or TryParseExact method indicates the maximum number of most significant digits of the seconds fraction that can be present to successfully parse the string.</source> <target state="translated">El especificador de formato personalizado "F" representa el dígito más significativo de la fracción de segundos, es decir, representa las décimas de segundo en un valor de fecha y hora. Si el dígito es cero, no se muestra nada. Si el especificador de formato "F" se usa sin otros especificadores de formato, se interpreta como el especificador de formato de fecha y hora estándar "F". El número de especificadores de formato "F" que se usan con los métodos ParseExact, TryParseExact, ParseExact o TryParseExact indica el número máximo de dígitos más significativos de la fracción de segundos que puede haber para analizar correctamente la cadena.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits"> <source>12 hour clock (1-2 digits)</source> <target state="translated">Reloj de 12 horas (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits_description"> <source>The "h" custom format specifier represents the hour as a number from 1 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted without a leading zero. For example, given a time of 5:43 in the morning or afternoon, this custom format specifier displays "5". If the "h" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "h" representa la hora como un número del 1 al 12, es decir, mediante un reloj de 12 horas que cuenta las horas enteras desde la medianoche o el mediodía. Una hora determinada después de la medianoche no se distingue de la misma hora después del mediodía. La hora no se redondea y el formato de una hora de un solo dígito es sin un cero inicial. Por ejemplo, a las 5:43 de la mañana o de la tarde, este especificador de formato personalizado muestra "5". Si el especificador de formato "h" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits"> <source>12 hour clock (2 digits)</source> <target state="translated">Reloj de 12 horas (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits_description"> <source>The "hh" custom format specifier (plus any number of additional "h" specifiers) represents the hour as a number from 01 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted with a leading zero. For example, given a time of 5:43 in the morning or afternoon, this format specifier displays "05".</source> <target state="translated">El especificador de formato personalizado "hh" (más cualquier número de especificadores "h" adicionales) representa la hora como un número de 01 al 12, es decir, mediante un reloj de 12 horas que cuenta las horas enteras desde la medianoche o el mediodía. Una hora determinada después de la medianoche no se distingue de la misma hora después del mediodía. La hora no se redondea y el formato de una hora de un solo dígito es con un cero inicial. Por ejemplo, a las 5:43 de la mañana o de la tarde, este especificador de formato muestra "05".</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits"> <source>24 hour clock (1-2 digits)</source> <target state="translated">Reloj de 24 horas (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits_description"> <source>The "H" custom format specifier represents the hour as a number from 0 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted without a leading zero. If the "H" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "H" representa la hora como un número del 0 al 23; es decir, la hora se representa mediante un reloj de 24 horas de base cero que cuenta las horas desde la medianoche. Una hora con un solo dígito tiene un formato sin un cero inicial. Si el especificador de formato "H" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits"> <source>24 hour clock (2 digits)</source> <target state="translated">Reloj de 24 horas (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits_description"> <source>The "HH" custom format specifier (plus any number of additional "H" specifiers) represents the hour as a number from 00 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "HH" (más cualquier número de especificadores "H" adicionales) representa la hora como un número de 00 a 23, es decir, mediante un reloj de 24 horas de base cero que cuenta las horas desde la medianoche. El formato de una hora de un solo dígito es con un cero inicial.</target> <note /> </trans-unit> <trans-unit id="and_update_call_sites_directly"> <source>and update call sites directly</source> <target state="new">and update call sites directly</target> <note /> </trans-unit> <trans-unit id="code"> <source>code</source> <target state="translated">código</target> <note /> </trans-unit> <trans-unit id="date_separator"> <source>date separator</source> <target state="translated">separador de fecha</target> <note /> </trans-unit> <trans-unit id="date_separator_description"> <source>The "/" custom format specifier represents the date separator, which is used to differentiate years, months, and days. The appropriate localized date separator is retrieved from the DateTimeFormatInfo.DateSeparator property of the current or specified culture. Note: To change the date separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string mm'/'dd'/'yyyy produces a result string in which "/" is always used as the date separator. To change the date separator for all dates for a culture, either change the value of the DateTimeFormatInfo.DateSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its DateSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the "/" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "/" representa el separador de fecha, que se usa para diferenciar los años, los meses y los días. El separador de fecha localizado apropiado se recupera de la propiedad DateTimeFormatInfo.DateSeparator de la referencia cultural actual o especificada. Nota: Para cambiar el separador de fecha de una cadena de fecha y hora determinada, especifique el carácter separador dentro de un delimitador de cadena literal. Por ejemplo, la cadena de formato personalizado mm'/'dd'/'aaaa genera una cadena de resultado en la que "/" se usa siempre como el separador de fecha. Para cambiar el separador de fecha de todas las fechas de una referencia cultural, cambie el valor de la propiedad DateTimeFormatInfo.DateSeparator de la referencia cultural actual, o bien cree una instancia de un objeto DateTimeFormatInfo, asigne el carácter a su propiedad DateSeparator y llame a una sobrecarga del método de formato que incluye un parámetro IFormatProvider. Si el especificador de formato "/" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits"> <source>day of the month (1-2 digits)</source> <target state="translated">día del mes (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits_description"> <source>The "d" custom format specifier represents the day of the month as a number from 1 through 31. A single-digit day is formatted without a leading zero. If the "d" format specifier is used without other custom format specifiers, it's interpreted as the "d" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "d" representa el día del mes como un número del 1 al 31. Un día con un solo dígito tiene un formato sin un cero inicial. Si el especificador de formato "d" se usa sin otros especificadores de formato personalizados, se interpreta como el especificador de formato de fecha y hora estándar "d".</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits"> <source>day of the month (2 digits)</source> <target state="translated">día del mes (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits_description"> <source>The "dd" custom format string represents the day of the month as a number from 01 through 31. A single-digit day is formatted with a leading zero.</source> <target state="translated">La cadena de formato personalizado "dd" representa el día del mes como un número del 01 al 31. Un día con un solo dígito tiene un formato con un cero inicial.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated"> <source>day of the week (abbreviated)</source> <target state="translated">día de la semana (abreviado)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated_description"> <source>The "ddd" custom format specifier represents the abbreviated name of the day of the week. The localized abbreviated name of the day of the week is retrieved from the DateTimeFormatInfo.AbbreviatedDayNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "ddd" representa el nombre abreviado del día de la semana. El nombre abreviado localizado del día de la semana se recupera de la propiedad DateTimeFormatInfo.AbbreviatedDayNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full"> <source>day of the week (full)</source> <target state="translated">día de la semana (completo)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full_description"> <source>The "dddd" custom format specifier (plus any number of additional "d" specifiers) represents the full name of the day of the week. The localized name of the day of the week is retrieved from the DateTimeFormatInfo.DayNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "dddd" (más cualquier número de especificadores "d" adicionales) representa el nombre completo del día de la semana. El nombre localizado del día de la semana se recupera de la propiedad DateTimeFormatInfo.DayNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="discard"> <source>discard</source> <target state="translated">descartar</target> <note /> </trans-unit> <trans-unit id="from_metadata"> <source>from metadata</source> <target state="translated">de metadatos</target> <note /> </trans-unit> <trans-unit id="full_long_date_time"> <source>full long date/time</source> <target state="translated">fecha/hora completa en formato largo</target> <note /> </trans-unit> <trans-unit id="full_long_date_time_description"> <source>The "F" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.FullDateTimePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy HH:mm:ss".</source> <target state="translated">El especificador de formato estándar "F" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.FullDateTimePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "dddd, dd MMMM aaaa HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="full_short_date_time"> <source>full short date/time</source> <target state="translated">fecha/hora completa en formato corto</target> <note /> </trans-unit> <trans-unit id="full_short_date_time_description"> <source>The Full Date Short Time ("f") Format Specifier The "f" standard format specifier represents a combination of the long date ("D") and short time ("t") patterns, separated by a space.</source> <target state="translated">Especificador de formato de fecha completa y hora corta ("f") El especificador de formato estándar "f" representa una combinación de los patrones de fecha larga ("D") y hora corta ("t"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="general_long_date_time"> <source>general long date/time</source> <target state="translated">fecha y hora general en formato largo</target> <note /> </trans-unit> <trans-unit id="general_long_date_time_description"> <source>The "G" standard format specifier represents a combination of the short date ("d") and long time ("T") patterns, separated by a space.</source> <target state="translated">El especificador de formato estándar "G" representa una combinación de los patrones de fecha corta ("d") y hora larga ("T"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="general_short_date_time"> <source>general short date/time</source> <target state="translated">fecha y hora general en formato corto</target> <note /> </trans-unit> <trans-unit id="general_short_date_time_description"> <source>The "g" standard format specifier represents a combination of the short date ("d") and short time ("t") patterns, separated by a space.</source> <target state="translated">El especificador de formato estándar "g" representa una combinación de los patrones de fecha corta ("d") y hora corta ("t"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="generic_overload"> <source>generic overload</source> <target state="translated">sobrecarga genérica</target> <note /> </trans-unit> <trans-unit id="generic_overloads"> <source>generic overloads</source> <target state="translated">sobrecargas genéricas</target> <note /> </trans-unit> <trans-unit id="in_0_1_2"> <source>in {0} ({1} - {2})</source> <target state="translated">en {0} ({1} - {2})</target> <note /> </trans-unit> <trans-unit id="in_Source_attribute"> <source>in Source (attribute)</source> <target state="translated">en el origen (atributo)</target> <note /> </trans-unit> <trans-unit id="into_extracted_method_to_invoke_at_call_sites"> <source>into extracted method to invoke at call sites</source> <target state="new">into extracted method to invoke at call sites</target> <note /> </trans-unit> <trans-unit id="into_new_overload"> <source>into new overload</source> <target state="new">into new overload</target> <note /> </trans-unit> <trans-unit id="long_date"> <source>long date</source> <target state="translated">fecha larga</target> <note /> </trans-unit> <trans-unit id="long_date_description"> <source>The "D" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.LongDatePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy".</source> <target state="translated">El especificador de formato estándar "D" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.LongDatePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "dddd, dd MMMM aaaa".</target> <note /> </trans-unit> <trans-unit id="long_time"> <source>long time</source> <target state="translated">hora larga</target> <note /> </trans-unit> <trans-unit id="long_time_description"> <source>The "T" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.LongTimePattern property. For example, the custom format string for the invariant culture is "HH:mm:ss".</source> <target state="translated">El especificador de formato estándar "T" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.LongTimePattern de una referencia cultural específica. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="member_kind_and_name"> <source>{0} '{1}'</source> <target state="translated">{0} "{1}"</target> <note>e.g. "method 'M'"</note> </trans-unit> <trans-unit id="minute_1_2_digits"> <source>minute (1-2 digits)</source> <target state="translated">minuto (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="minute_1_2_digits_description"> <source>The "m" custom format specifier represents the minute as a number from 0 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted without a leading zero. If the "m" format specifier is used without other custom format specifiers, it's interpreted as the "m" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "m" representa el minuto como un número del 0 al 59. El minuto representa los minutos enteros que han transcurrido desde la última hora. El formato de un minuto con un solo dígito se representa sin cero inicial. Si el especificador de formato "m" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "m".</target> <note /> </trans-unit> <trans-unit id="minute_2_digits"> <source>minute (2 digits)</source> <target state="translated">minuto (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="minute_2_digits_description"> <source>The "mm" custom format specifier (plus any number of additional "m" specifiers) represents the minute as a number from 00 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "mm" (más cualquier número de especificadores "m" adicionales) representa el minuto como un número del 00 al 59. El minuto representa los minutos enteros que han transcurrido desde la última hora. El formato de un minuto con un solo dígito se representa sin cero inicial.</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits"> <source>month (1-2 digits)</source> <target state="translated">mes (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits_description"> <source>The "M" custom format specifier represents the month as a number from 1 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted without a leading zero. If the "M" format specifier is used without other custom format specifiers, it's interpreted as the "M" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "M" representa el mes como un número del 1 al 12 (o de 1 a 13 para los calendarios con 13 meses). El formato de un mes con un solo dígito se representa sin cero inicial. Si el especificador de formato "M" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "M".</target> <note /> </trans-unit> <trans-unit id="month_2_digits"> <source>month (2 digits)</source> <target state="translated">mes (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="month_2_digits_description"> <source>The "MM" custom format specifier represents the month as a number from 01 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "MM" representa el mes como un número del 01 al 12 (o de 1 a 13 para los calendarios con 13 meses). El formato de un mes con un solo dígito se representa sin cero inicial.</target> <note /> </trans-unit> <trans-unit id="month_abbreviated"> <source>month (abbreviated)</source> <target state="translated">mes (abreviado)</target> <note /> </trans-unit> <trans-unit id="month_abbreviated_description"> <source>The "MMM" custom format specifier represents the abbreviated name of the month. The localized abbreviated name of the month is retrieved from the DateTimeFormatInfo.AbbreviatedMonthNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "MMM" representa el nombre abreviado del mes. El nombre abreviado adaptado del mes se recupera de la propiedad DateTimeFormatInfo.AbbreviatedMonthNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="month_day"> <source>month day</source> <target state="translated">día del mes</target> <note /> </trans-unit> <trans-unit id="month_day_description"> <source>The "M" or "m" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.MonthDayPattern property. For example, the custom format string for the invariant culture is "MMMM dd".</source> <target state="translated">El especificador de formato estándar "M" o "m" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.MonthDayPattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "MMMM dd".</target> <note /> </trans-unit> <trans-unit id="month_full"> <source>month (full)</source> <target state="translated">mes (completo)</target> <note /> </trans-unit> <trans-unit id="month_full_description"> <source>The "MMMM" custom format specifier represents the full name of the month. The localized name of the month is retrieved from the DateTimeFormatInfo.MonthNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "MMMM" representa el nombre completo del mes. El nombre adaptado del mes se recupera de la propiedad DateTimeFormatInfo.AbbreviatedMonthNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="overload"> <source>overload</source> <target state="translated">sobrecarga</target> <note /> </trans-unit> <trans-unit id="overloads_"> <source>overloads</source> <target state="translated">sobrecargas</target> <note /> </trans-unit> <trans-unit id="_0_Keyword"> <source>{0} Keyword</source> <target state="translated">{0} Palabra clave</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_and_use_property"> <source>Encapsulate field: '{0}' (and use property)</source> <target state="translated">Encapsular campo: '{0}' (y usar propiedad)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_but_still_use_field"> <source>Encapsulate field: '{0}' (but still use field)</source> <target state="translated">Encapsular campo: '{0}' (pero seguir usándolo)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_and_use_property"> <source>Encapsulate fields (and use property)</source> <target state="translated">Encapsular campos (y usar propiedad)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_but_still_use_field"> <source>Encapsulate fields (but still use field)</source> <target state="translated">Encapsular campos (pero seguir usando el campo)</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_selection_is_not_inside_a_class_interface_struct"> <source>Could not extract interface: The selection is not inside a class/interface/struct.</source> <target state="translated">No se pudo extraer la interfaz: la selección no está dentro de una clase/interfaz/estructura.</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_type_does_not_contain_any_member_that_can_be_extracted_to_an_interface"> <source>Could not extract interface: The type does not contain any member that can be extracted to an interface.</source> <target state="translated">No se pudo extraer la interfaz: el tipo no contiene ningún miembro que se pueda extraer a una interfaz.</target> <note /> </trans-unit> <trans-unit id="can_t_not_construct_final_tree"> <source>can't not construct final tree</source> <target state="translated">no se puede construir el árbol final</target> <note /> </trans-unit> <trans-unit id="Parameters_type_or_return_type_cannot_be_an_anonymous_type_colon_bracket_0_bracket"> <source>Parameters' type or return type cannot be an anonymous type : [{0}]</source> <target state="translated">El tipo de los parámetros o el tipo de valor devuelto no puede ser un tipo anónimo: [{0}]</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_no_active_statement"> <source>The selection contains no active statement.</source> <target state="translated">La selección no contiene instrucciones activas.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_an_error_or_unknown_type"> <source>The selection contains an error or unknown type.</source> <target state="translated">La selección contiene un error o un tipo desconocido.</target> <note /> </trans-unit> <trans-unit id="Type_parameter_0_is_hidden_by_another_type_parameter_1"> <source>Type parameter '{0}' is hidden by another type parameter '{1}'.</source> <target state="translated">El parámetro de tipo '{0}' está oculto por otro parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="The_address_of_a_variable_is_used_inside_the_selected_code"> <source>The address of a variable is used inside the selected code.</source> <target state="translated">La dirección de una variable se usa dentro del código seleccionado.</target> <note /> </trans-unit> <trans-unit id="Assigning_to_readonly_fields_must_be_done_in_a_constructor_colon_bracket_0_bracket"> <source>Assigning to readonly fields must be done in a constructor : [{0}].</source> <target state="translated">La asignación a campos de solo lectura se debe hacer en un constructor: [{0}].</target> <note /> </trans-unit> <trans-unit id="generated_code_is_overlapping_with_hidden_portion_of_the_code"> <source>generated code is overlapping with hidden portion of the code</source> <target state="translated">el código generado se superpone con la parte oculta del código</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameters_to_0"> <source>Add optional parameters to '{0}'</source> <target state="translated">Agregar parámetros opcionales a "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_parameters_to_0"> <source>Add parameters to '{0}'</source> <target state="translated">Agregar parámetros a "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_delegating_constructor_0_1"> <source>Generate delegating constructor '{0}({1})'</source> <target state="translated">Generar el constructor delegado '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_0_1"> <source>Generate constructor '{0}({1})'</source> <target state="translated">Generar el constructor '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_field_assigning_constructor_0_1"> <source>Generate field assigning constructor '{0}({1})'</source> <target state="translated">Generar campo asignando constructor '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_and_GetHashCode"> <source>Generate Equals and GetHashCode</source> <target state="translated">Generar Equals y GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_object"> <source>Generate Equals(object)</source> <target state="translated">Generar "Equals(object)"</target> <note /> </trans-unit> <trans-unit id="Generate_GetHashCode"> <source>Generate GetHashCode()</source> <target state="translated">Generar "GetHashCode()"</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0"> <source>Generate constructor in '{0}'</source> <target state="translated">Generar constructor en '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_all"> <source>Generate all</source> <target state="translated">Generar todo</target> <note /> </trans-unit> <trans-unit id="Generate_enum_member_1_0"> <source>Generate enum member '{1}.{0}'</source> <target state="translated">Generar miembro de enumeración "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_constant_1_0"> <source>Generate constant '{1}.{0}'</source> <target state="translated">Generar constante "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_property_1_0"> <source>Generate read-only property '{1}.{0}'</source> <target state="translated">Generar la propiedad de solo lectura '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_property_1_0"> <source>Generate property '{1}.{0}'</source> <target state="translated">Generar la propiedad '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_field_1_0"> <source>Generate read-only field '{1}.{0}'</source> <target state="translated">Generar el campo de solo lectura '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_field_1_0"> <source>Generate field '{1}.{0}'</source> <target state="translated">Generar campo "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_local_0"> <source>Generate local '{0}'</source> <target state="translated">Generar la variable local '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1_in_new_file"> <source>Generate {0} '{1}' in new file</source> <target state="translated">Generar {0} '{1}' en archivo nuevo</target> <note /> </trans-unit> <trans-unit id="Generate_nested_0_1"> <source>Generate nested {0} '{1}'</source> <target state="translated">Generar {0} anidado '{1}'</target> <note /> </trans-unit> <trans-unit id="Global_Namespace"> <source>Global Namespace</source> <target state="translated">Espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="Implement_interface_abstractly"> <source>Implement interface abstractly</source> <target state="translated">Implementar interfaz de forma abstracta</target> <note /> </trans-unit> <trans-unit id="Implement_interface_through_0"> <source>Implement interface through '{0}'</source> <target state="translated">Implementar interfaz a través de '{0}'</target> <note /> </trans-unit> <trans-unit id="Implement_interface"> <source>Implement interface</source> <target state="translated">Implementar interfaz</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_0"> <source>Introduce field for '{0}'</source> <target state="translated">Introducir el campo de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_0"> <source>Introduce local for '{0}'</source> <target state="translated">Introducir la variable local de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_0"> <source>Introduce constant for '{0}'</source> <target state="translated">Introducir la constante de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_0"> <source>Introduce local constant for '{0}'</source> <target state="translated">Introducir la constante local de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_all_occurrences_of_0"> <source>Introduce field for all occurrences of '{0}'</source> <target state="translated">Introducir el campo para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_all_occurrences_of_0"> <source>Introduce local for all occurrences of '{0}'</source> <target state="translated">Introducir la variable local para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_all_occurrences_of_0"> <source>Introduce constant for all occurrences of '{0}'</source> <target state="translated">Introducir la constante para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_all_occurrences_of_0"> <source>Introduce local constant for all occurrences of '{0}'</source> <target state="translated">Introducir la constante local para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_all_occurrences_of_0"> <source>Introduce query variable for all occurrences of '{0}'</source> <target state="translated">Introducir la variable de consulta para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_0"> <source>Introduce query variable for '{0}'</source> <target state="translated">Introducir la variable de consulta de '{0}'</target> <note /> </trans-unit> <trans-unit id="Anonymous_Types_colon"> <source>Anonymous Types:</source> <target state="translated">Tipos anónimos:</target> <note /> </trans-unit> <trans-unit id="is_"> <source>is</source> <target state="translated">es</target> <note /> </trans-unit> <trans-unit id="Represents_an_object_whose_operations_will_be_resolved_at_runtime"> <source>Represents an object whose operations will be resolved at runtime.</source> <target state="translated">Representa un objeto cuyas operaciones se resolverán en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="constant"> <source>constant</source> <target state="translated">constante</target> <note /> </trans-unit> <trans-unit id="field"> <source>field</source> <target state="translated">Campo</target> <note /> </trans-unit> <trans-unit id="local_constant"> <source>local constant</source> <target state="translated">constante local</target> <note /> </trans-unit> <trans-unit id="local_variable"> <source>local variable</source> <target state="translated">variable local</target> <note /> </trans-unit> <trans-unit id="label"> <source>label</source> <target state="translated">Etiqueta</target> <note /> </trans-unit> <trans-unit id="period_era"> <source>period/era</source> <target state="translated">período o era</target> <note /> </trans-unit> <trans-unit id="period_era_description"> <source>The "g" or "gg" custom format specifiers (plus any number of additional "g" specifiers) represents the period or era, such as A.D. The formatting operation ignores this specifier if the date to be formatted doesn't have an associated period or era string. If the "g" format specifier is used without other custom format specifiers, it's interpreted as the "g" standard date and time format specifier.</source> <target state="translated">Los especificadores de formato personalizado "g" o "gg" (más cualquier número de especificadores "g" adicionales) representan el período o la era, como D.C. La operación de formato omite este especificador si la fecha a la que se va a dar formato no tiene una cadena de período o era asociada. Si el especificador de formato "g" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "g".</target> <note /> </trans-unit> <trans-unit id="property_accessor"> <source>property accessor</source> <target state="new">property accessor</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>range variable</source> <target state="translated">variable de rango</target> <note /> </trans-unit> <trans-unit id="parameter"> <source>parameter</source> <target state="translated">parámetro</target> <note /> </trans-unit> <trans-unit id="in_"> <source>in</source> <target state="translated">en</target> <note /> </trans-unit> <trans-unit id="Summary_colon"> <source>Summary:</source> <target state="translated">Resumen:</target> <note /> </trans-unit> <trans-unit id="Locals_and_parameters"> <source>Locals and parameters</source> <target state="translated">Variables locales y parámetros</target> <note /> </trans-unit> <trans-unit id="Type_parameters_colon"> <source>Type parameters:</source> <target state="translated">Parámetros de tipo:</target> <note /> </trans-unit> <trans-unit id="Returns_colon"> <source>Returns:</source> <target state="translated">Devuelve:</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Excepciones:</target> <note /> </trans-unit> <trans-unit id="Remarks_colon"> <source>Remarks:</source> <target state="translated">Comentarios:</target> <note /> </trans-unit> <trans-unit id="generating_source_for_symbols_of_this_type_is_not_supported"> <source>generating source for symbols of this type is not supported</source> <target state="translated">no está permitido generar código fuente para símbolos de este tipo</target> <note /> </trans-unit> <trans-unit id="Assembly"> <source>Assembly</source> <target state="translated">ensamblado</target> <note /> </trans-unit> <trans-unit id="location_unknown"> <source>location unknown</source> <target state="translated">ubicación desconocida</target> <note /> </trans-unit> <trans-unit id="Unexpected_interface_member_kind_colon_0"> <source>Unexpected interface member kind: {0}</source> <target state="translated">Tipo de miembro de interfaz inesperado: {0}</target> <note /> </trans-unit> <trans-unit id="Unknown_symbol_kind"> <source>Unknown symbol kind</source> <target state="translated">Tipo de símbolo desconocido</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_property_1_0"> <source>Generate abstract property '{1}.{0}'</source> <target state="translated">Generar propiedad abstracta "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_method_1_0"> <source>Generate abstract method '{1}.{0}'</source> <target state="translated">Generar método abstracto "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_method_1_0"> <source>Generate method '{1}.{0}'</source> <target state="translated">Generar el método '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Requested_assembly_already_loaded_from_0"> <source>Requested assembly already loaded from '{0}'.</source> <target state="translated">El ensamblado solicitado ya se ha cargado desde '{0}'.</target> <note /> </trans-unit> <trans-unit id="The_symbol_does_not_have_an_icon"> <source>The symbol does not have an icon.</source> <target state="translated">El símbolo no tiene un icono.</target> <note /> </trans-unit> <trans-unit id="Asynchronous_method_cannot_have_ref_out_parameters_colon_bracket_0_bracket"> <source>Asynchronous method cannot have ref/out parameters : [{0}]</source> <target state="translated">El método asincrónico no puede tener parámetros ref/out: [{0}]</target> <note /> </trans-unit> <trans-unit id="The_member_is_defined_in_metadata"> <source>The member is defined in metadata.</source> <target state="translated">El miembro está definido en metadatos.</target> <note /> </trans-unit> <trans-unit id="You_can_only_change_the_signature_of_a_constructor_indexer_method_or_delegate"> <source>You can only change the signature of a constructor, indexer, method or delegate.</source> <target state="translated">Solo se puede cambiar la firma de un constructor, indizador, método o delegado.</target> <note /> </trans-unit> <trans-unit id="This_symbol_has_related_definitions_or_references_in_metadata_Changing_its_signature_may_result_in_build_errors_Do_you_want_to_continue"> <source>This symbol has related definitions or references in metadata. Changing its signature may result in build errors. Do you want to continue?</source> <target state="translated">Este símbolo tiene definiciones o referencias relacionadas en metadatos. Cambiar la firma puede provocar errores de compilación. ¿Quiere continuar?</target> <note /> </trans-unit> <trans-unit id="Change_signature"> <source>Change signature...</source> <target state="translated">Cambiar firma...</target> <note /> </trans-unit> <trans-unit id="Generate_new_type"> <source>Generate new type...</source> <target state="translated">Generar nuevo tipo...</target> <note /> </trans-unit> <trans-unit id="User_Diagnostic_Analyzer_Failure"> <source>User Diagnostic Analyzer Failure.</source> <target state="translated">Error del analizador de diagnóstico de usuario.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_an_exception_of_type_1_with_message_2"> <source>Analyzer '{0}' threw an exception of type '{1}' with message '{2}'.</source> <target state="translated">El analizador '{0}' produjo una excepción de tipo '{1}' con el mensaje '{2}'.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_the_following_exception_colon_1"> <source>Analyzer '{0}' threw the following exception: '{1}'.</source> <target state="translated">El analizador '{0}' inició la siguiente excepción: '{1}'.</target> <note /> </trans-unit> <trans-unit id="Simplify_Names"> <source>Simplify Names</source> <target state="translated">Simplificar nombres</target> <note /> </trans-unit> <trans-unit id="Simplify_Member_Access"> <source>Simplify Member Access</source> <target state="translated">Simplificar acceso de miembros</target> <note /> </trans-unit> <trans-unit id="Remove_qualification"> <source>Remove qualification</source> <target state="translated">Quitar cualificación</target> <note /> </trans-unit> <trans-unit id="Unknown_error_occurred"> <source>Unknown error occurred</source> <target state="translated">Se ha producido un error desconocido</target> <note /> </trans-unit> <trans-unit id="Available"> <source>Available</source> <target state="translated">Disponible</target> <note /> </trans-unit> <trans-unit id="Not_Available"> <source>Not Available ⚠</source> <target state="translated">No disponible ⚠</target> <note /> </trans-unit> <trans-unit id="_0_1"> <source> {0} - {1}</source> <target state="translated"> {0} - {1}</target> <note /> </trans-unit> <trans-unit id="in_Source"> <source>in Source</source> <target state="translated">En origen</target> <note /> </trans-unit> <trans-unit id="in_Suppression_File"> <source>in Suppression File</source> <target state="translated">En&amp; archivo de supresión</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression_0"> <source>Remove Suppression {0}</source> <target state="translated">Quitar supresión {0}</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression"> <source>Remove Suppression</source> <target state="translated">Quitar supresión</target> <note /> </trans-unit> <trans-unit id="Pending"> <source>&lt;Pending&gt;</source> <target state="translated">&lt;pendiente&gt;</target> <note /> </trans-unit> <trans-unit id="Note_colon_Tab_twice_to_insert_the_0_snippet"> <source>Note: Tab twice to insert the '{0}' snippet.</source> <target state="translated">Nota: Presione dos veces la tecla Tab para insertar el fragmento de código '{0}'.</target> <note /> </trans-unit> <trans-unit id="Implement_interface_explicitly_with_Dispose_pattern"> <source>Implement interface explicitly with Dispose pattern</source> <target state="translated">Implementar la interfaz de forma explícita con el patrón de Dispose</target> <note /> </trans-unit> <trans-unit id="Implement_interface_with_Dispose_pattern"> <source>Implement interface with Dispose pattern</source> <target state="translated">Implementar la interfaz con el patrón de Dispose</target> <note /> </trans-unit> <trans-unit id="Re_triage_0_currently_1"> <source>Re-triage {0}(currently '{1}')</source> <target state="translated">Volver a evaluar prioridades de {0}(valor actual: '{1}')</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_have_a_null_element"> <source>Argument cannot have a null element.</source> <target state="translated">El argumento no puede tener un elemento nulo.</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_be_empty"> <source>Argument cannot be empty.</source> <target state="translated">El argumento no puede estar vacío.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_with_ID_0_is_not_supported_by_the_analyzer"> <source>Reported diagnostic with ID '{0}' is not supported by the analyzer.</source> <target state="translated">El analizador no admite el diagnóstico notificado con identificador '{0}'.</target> <note /> </trans-unit> <trans-unit id="Computing_fix_all_occurrences_code_fix"> <source>Computing fix all occurrences code fix...</source> <target state="translated">Calculando corrección de todas las repeticiones de corrección de código...</target> <note /> </trans-unit> <trans-unit id="Fix_all_occurrences"> <source>Fix all occurrences</source> <target state="translated">Corregir todas las repeticiones</target> <note /> </trans-unit> <trans-unit id="Document"> <source>Document</source> <target state="translated">Documento</target> <note /> </trans-unit> <trans-unit id="Project"> <source>Project</source> <target state="translated">Proyecto</target> <note /> </trans-unit> <trans-unit id="Solution"> <source>Solution</source> <target state="translated">Solución</target> <note /> </trans-unit> <trans-unit id="TODO_colon_dispose_managed_state_managed_objects"> <source>TODO: dispose managed state (managed objects)</source> <target state="translated">TODO: eliminar el estado administrado (objetos administrados)</target> <note /> </trans-unit> <trans-unit id="TODO_colon_set_large_fields_to_null"> <source>TODO: set large fields to null</source> <target state="translated">TODO: establecer los campos grandes como NULL</target> <note /> </trans-unit> <trans-unit id="Compiler2"> <source>Compiler</source> <target state="translated">Compilador</target> <note /> </trans-unit> <trans-unit id="Live"> <source>Live</source> <target state="translated">Activo</target> <note /> </trans-unit> <trans-unit id="enum_value"> <source>enum value</source> <target state="translated">valor de enumeración</target> <note>{Locked="enum"} "enum" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="const_field"> <source>const field</source> <target state="translated">campo const</target> <note>{Locked="const"} "const" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="method"> <source>method</source> <target state="translated">método</target> <note /> </trans-unit> <trans-unit id="operator_"> <source>operator</source> <target state="translated">Operador</target> <note /> </trans-unit> <trans-unit id="constructor"> <source>constructor</source> <target state="translated">constructor</target> <note /> </trans-unit> <trans-unit id="auto_property"> <source>auto-property</source> <target state="translated">propiedad automática</target> <note /> </trans-unit> <trans-unit id="property_"> <source>property</source> <target state="translated">Propiedad</target> <note /> </trans-unit> <trans-unit id="event_accessor"> <source>event accessor</source> <target state="translated">descriptor de acceso de eventos</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time"> <source>rfc1123 date/time</source> <target state="translated">fecha y hora de rfc1123</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time_description"> <source>The "R" or "r" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.RFC1123Pattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">El especificador de formato estándar "R" o "r" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.RFC1123Pattern. El patrón refleja un estándar definido y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable.</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time"> <source>round-trip date/time</source> <target state="translated">fecha y hora de recorrido de ida y vuelta</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time_description"> <source>The "O" or "o" standard format specifier represents a custom date and time format string using a pattern that preserves time zone information and emits a result string that complies with ISO 8601. For DateTime values, this format specifier is designed to preserve date and time values along with the DateTime.Kind property in text. The formatted string can be parsed back by using the DateTime.Parse(String, IFormatProvider, DateTimeStyles) or DateTime.ParseExact method if the styles parameter is set to DateTimeStyles.RoundtripKind. The "O" or "o" standard format specifier corresponds to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string for DateTime values and to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" custom format string for DateTimeOffset values. In this string, the pairs of single quotation marks that delimit individual characters, such as the hyphens, the colons, and the letter "T", indicate that the individual character is a literal that cannot be changed. The apostrophes do not appear in the output string. The "O" or "o" standard format specifier (and the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string) takes advantage of the three ways that ISO 8601 represents time zone information to preserve the Kind property of DateTime values: The time zone component of DateTimeKind.Local date and time values is an offset from UTC (for example, +01:00, -07:00). All DateTimeOffset values are also represented in this format. The time zone component of DateTimeKind.Utc date and time values uses "Z" (which stands for zero offset) to represent UTC. DateTimeKind.Unspecified date and time values have no time zone information. Because the "O" or "o" standard format specifier conforms to an international standard, the formatting or parsing operation that uses the specifier always uses the invariant culture and the Gregorian calendar. Strings that are passed to the Parse, TryParse, ParseExact, and TryParseExact methods of DateTime and DateTimeOffset can be parsed by using the "O" or "o" format specifier if they are in one of these formats. In the case of DateTime objects, the parsing overload that you call should also include a styles parameter with a value of DateTimeStyles.RoundtripKind. Note that if you call a parsing method with the custom format string that corresponds to the "O" or "o" format specifier, you won't get the same results as "O" or "o". This is because parsing methods that use a custom format string can't parse the string representation of date and time values that lack a time zone component or use "Z" to indicate UTC.</source> <target state="translated">El especificador de formato estándar "O" o bien "o" representa una cadena de formato de fecha y hora personalizado con un patrón que conserva la información de la zona horaria y emite una cadena de resultado que se ajusta a la norma ISO 8601. Para valores de fecha y hora, este especificador de formato está diseñado para conservar los valores de fecha y hora junto con la propiedad DateTime.Kind en el texto. La cadena con formato se puede analizar de nuevo con el método DateTime.Parse (String, IFormatProvider, DateTimeStyles) o DateTime.ParseExact si el parámetro Styles se establece en DateTimeStyles.RoundtripKind. El especificador de formato estándar "O" o bien "o" se corresponde con la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" para valores de DateTime y con la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" para valores de DateTimeOffset. En esta cadena, los pares de comillas simples que delimitan los caracteres individuales, como los guiones, los dos puntos y la letra "T", indican que el carácter individual es un literal que no se puede cambiar. Los apóstrofos no aparecen en la cadena de salida. El especificador de formato estándar "O" o bien "o" (y la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" aprovecha las tres formas en que ISO 8601 representa la información de la zona horaria para conservar la propiedad Kind de los valores de DateTime: El componente de zona horaria de los valores de fecha y hora de DateTimeKind.Local tiene una diferencia respecto a la hora UTC (por ejemplo, +01:00,-07:00). Todos los valores de DateTimeOffset también se representan con este formato. El componente de zona horaria de los valores de fecha y hora de DateTimeKind.Utc utilizan "Z" (que significa que la diferencia es cero) para representar la hora UTC. Los valores de fecha y hora de DateTimeKind.Unspecified no tienen información de zona horaria. Dado que el especificador de formato estándar "O" o bien "o" se ajusta a un estándar internacional, la operación de formato o análisis que usa el especificador siempre utiliza la referencia cultural invariable y el calendario gregoriano. Las cadenas que se pasan a los métodos Parse, TryParse, ParseExact y TryParseExact de DateTime y DateTimeOffset se pueden analizar usando el especificador de formato "O" o bien "o" si se encuentran en uno de estos formatos. En el caso de los objetos DateTime, la sobrecarga de análisis a la que llama debe incluir también un parámetro Styles con un valor de DateTimeStyles.RoundtripKind. Tenga en cuenta que si se llama a un método de análisis con la cadena de formato personalizada que corresponde al especificador de formato "O" o bien "o", no se obtendrán los mismos resultados que "O" o bien "o". Esto se debe a que los métodos de análisis que usan una cadena de formato personalizado no pueden analizar la representación de cadena de valores de fecha y hora que carecen de un componente de zona horaria o utilizan "Z" para indicar la hora UTC.</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits"> <source>second (1-2 digits)</source> <target state="translated">segundo (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits_description"> <source>The "s" custom format specifier represents the seconds as a number from 0 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted without a leading zero. If the "s" format specifier is used without other custom format specifiers, it's interpreted as the "s" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "s" representa los segundos como un número del 0 al 59. El resultado representa los segundos enteros que han transcurrido desde el último minuto. El formato de un segundo con un solo dígito se representa sin cero inicial. Si el especificador de formato "s" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "s".</target> <note /> </trans-unit> <trans-unit id="second_2_digits"> <source>second (2 digits)</source> <target state="translated">segundo (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="second_2_digits_description"> <source>The "ss" custom format specifier (plus any number of additional "s" specifiers) represents the seconds as a number from 00 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "ss" (más cualquier número de especificadores "s" adicionales) representa los segundos como un número del 00 al 59. El resultado representa los segundos enteros que han transcurrido desde el último minuto. El formato de un segundo con un solo dígito se representa sin un cero inicial.</target> <note /> </trans-unit> <trans-unit id="short_date"> <source>short date</source> <target state="translated">fecha corta</target> <note /> </trans-unit> <trans-unit id="short_date_description"> <source>The "d" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.ShortDatePattern property. For example, the custom format string that is returned by the ShortDatePattern property of the invariant culture is "MM/dd/yyyy".</source> <target state="translated">El especificador de formato estándar "d" representa una cadena de formato de fecha y hora personalizado definida por una propiedad DateTimeFormatInfo.ShortDatePattern de una referencia cultural específica. Por ejemplo, la cadena de formato personalizado devuelta por la propiedad ShortDatePattern de la referencia cultural invariable es "MM/DD/AAAA".</target> <note /> </trans-unit> <trans-unit id="short_time"> <source>short time</source> <target state="translated">hora corta</target> <note /> </trans-unit> <trans-unit id="short_time_description"> <source>The "t" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.ShortTimePattern property. For example, the custom format string for the invariant culture is "HH:mm".</source> <target state="translated">El especificador de formato estándar "t" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.ShortTimePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "HH:mm".</target> <note /> </trans-unit> <trans-unit id="sortable_date_time"> <source>sortable date/time</source> <target state="translated">fecha y hora ordenable</target> <note /> </trans-unit> <trans-unit id="sortable_date_time_description"> <source>The "s" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.SortableDateTimePattern property. The pattern reflects a defined standard (ISO 8601), and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd'T'HH':'mm':'ss". The purpose of the "s" format specifier is to produce result strings that sort consistently in ascending or descending order based on date and time values. As a result, although the "s" standard format specifier represents a date and time value in a consistent format, the formatting operation does not modify the value of the date and time object that is being formatted to reflect its DateTime.Kind property or its DateTimeOffset.Offset value. For example, the result strings produced by formatting the date and time values 2014-11-15T18:32:17+00:00 and 2014-11-15T18:32:17+08:00 are identical. When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">El especificador de formato estándar "s" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.SortableDateTimePattern. El patrón refleja un estándar definido (ISO 8601) y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "yyyy'-'MM'-'dd'T'HH':'mm':'ss". La finalidad del especificador de formato "s" es producir cadenas de resultados que se ordenen coherentemente de forma ascendente o descendente según los valores de fecha y hora. Como resultado, aunque el especificador de formato estándar "s" representa un valor de fecha y hora en un formato coherente, la operación de formato no modifica el valor del objeto de fecha y hora al que se está dando formato para reflejar su propiedad DateTime.Kind o DateTimeOffset.Offset. Por ejemplo, las cadenas de resultados generadas por el formato de los valores de fecha y hora 2014-11-15T18:32:17+00:00 y 2014-11-15T18:32:17+08:00 son idénticas. Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable.</target> <note /> </trans-unit> <trans-unit id="static_constructor"> <source>static constructor</source> <target state="translated">constructor estático</target> <note /> </trans-unit> <trans-unit id="symbol_cannot_be_a_namespace"> <source>'symbol' cannot be a namespace.</source> <target state="translated">'símbolo' no puede ser un espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="time_separator"> <source>time separator</source> <target state="translated">separador de la hora</target> <note /> </trans-unit> <trans-unit id="time_separator_description"> <source>The ":" custom format specifier represents the time separator, which is used to differentiate hours, minutes, and seconds. The appropriate localized time separator is retrieved from the DateTimeFormatInfo.TimeSeparator property of the current or specified culture. Note: To change the time separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string hh'_'dd'_'ss produces a result string in which "_" (an underscore) is always used as the time separator. To change the time separator for all dates for a culture, either change the value of the DateTimeFormatInfo.TimeSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its TimeSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the ":" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado ":" representa el separador de hora, que se usa para diferenciar las horas, los minutos y los segundos. El separador de hora localizado apropiado se recupera de la propiedad DateTimeFormatInfo.TimeSeparator de la referencia cultural actual o especificada. Nota: Para cambiar el separador de hora de una cadena de fecha y hora determinada, especifique el carácter separador dentro de un delimitador de cadena literal. Por ejemplo, la cadena de formato personalizado hh'_'dd'_'ss genera una cadena de resultado en la que "_" (un carácter de subrayado) siempre se usa como separador de hora. Para cambiar el separador de hora de todas las fechas de una referencia cultural, cambie el valor de la propiedad DateTimeFormatInfo.TimeSeparator de la referencia cultural actual, o bien cree una instancia del objeto DateTimeFormatInfo, asigne el carácter a su propiedad TimeSeparator y llame a una sobrecarga del método de formato que incluye un parámetro IFormatProvider. Si el especificador de formato ":" se usa sin otros especificadores de formato personalizados, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="time_zone"> <source>time zone</source> <target state="translated">zona horaria</target> <note /> </trans-unit> <trans-unit id="time_zone_description"> <source>The "K" custom format specifier represents the time zone information of a date and time value. When this format specifier is used with DateTime values, the result string is defined by the value of the DateTime.Kind property: For the local time zone (a DateTime.Kind property value of DateTimeKind.Local), this specifier is equivalent to the "zzz" specifier and produces a result string containing the local offset from Coordinated Universal Time (UTC); for example, "-07:00". For a UTC time (a DateTime.Kind property value of DateTimeKind.Utc), the result string includes a "Z" character to represent a UTC date. For a time from an unspecified time zone (a time whose DateTime.Kind property equals DateTimeKind.Unspecified), the result is equivalent to String.Empty. For DateTimeOffset values, the "K" format specifier is equivalent to the "zzz" format specifier, and produces a result string containing the DateTimeOffset value's offset from UTC. If the "K" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "K" representa la información de zona horaria de un valor de fecha y hora. Cuando se usa este especificador de formato con valores DateTime, la cadena de resultado se define por el valor de la propiedad DateTime.Kind: En el caso de la zona horaria local (valor de la propiedad DateTime.Kind de DateTimeKind.Local), este especificador es equivalente al especificador "zzz" y genera una cadena de resultado que contiene el desplazamiento local de la hora universal coordinada (UTC); por ejemplo, "-07:00". Para una hora UTC (un valor de propiedad DateTime. Kind de DateTimeKind. UTC), la cadena de resultado incluye un carácter "Z" para representar una fecha UTC. Para una hora de una zona horaria no especificada (una hora cuya propiedad DateTime. Kind igual a DateTimeKind. no especificada), el resultado es equivalente a String. Empty. Para los valores de DateTimeOffset, el especificador de formato "K" es equivalente al especificador de formato "Zzz" y genera una cadena de resultado que contiene el desplazamiento del valor DateTimeOffset con respecto a la hora UTC. Si el especificador de formato "K" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una FormatException.</target> <note /> </trans-unit> <trans-unit id="type"> <source>type</source> <target state="new">type</target> <note /> </trans-unit> <trans-unit id="type_constraint"> <source>type constraint</source> <target state="translated">restricción de tipo</target> <note /> </trans-unit> <trans-unit id="type_parameter"> <source>type parameter</source> <target state="translated">parámetro de tipo</target> <note /> </trans-unit> <trans-unit id="attribute"> <source>attribute</source> <target state="translated">atributo</target> <note /> </trans-unit> <trans-unit id="Replace_0_and_1_with_property"> <source>Replace '{0}' and '{1}' with property</source> <target state="translated">Reemplazar '{0}' y '{1}' por la propiedad</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_property"> <source>Replace '{0}' with property</source> <target state="translated">Reemplazar '{0}' por la propiedad</target> <note /> </trans-unit> <trans-unit id="Method_referenced_implicitly"> <source>Method referenced implicitly</source> <target state="translated">Método al que se hace referencia implícita</target> <note /> </trans-unit> <trans-unit id="Generate_type_0"> <source>Generate type '{0}'</source> <target state="translated">Generar tipo '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1"> <source>Generate {0} '{1}'</source> <target state="translated">Generar {0} '{1}'</target> <note /> </trans-unit> <trans-unit id="Change_0_to_1"> <source>Change '{0}' to '{1}'.</source> <target state="translated">Cambie '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="Non_invoked_method_cannot_be_replaced_with_property"> <source>Non-invoked method cannot be replaced with property.</source> <target state="translated">El método no invocado no se puede reemplazar por la propiedad.</target> <note /> </trans-unit> <trans-unit id="Only_methods_with_a_single_argument_which_is_not_an_out_variable_declaration_can_be_replaced_with_a_property"> <source>Only methods with a single argument, which is not an out variable declaration, can be replaced with a property.</source> <target state="translated">Solo los métodos que tienen un solo argumento, que no es una declaración de variable out, se pueden reemplazar por una propiedad.</target> <note /> </trans-unit> <trans-unit id="Roslyn_HostError"> <source>Roslyn.HostError</source> <target state="translated">Roslyn.HostError</target> <note /> </trans-unit> <trans-unit id="An_instance_of_analyzer_0_cannot_be_created_from_1_colon_2"> <source>An instance of analyzer {0} cannot be created from {1}: {2}.</source> <target state="translated">No se puede crear una instancia de analizador {0} desde {1}: {2}.</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_does_not_contain_any_analyzers"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">El ensamblado {0} no contiene ningún analizador.</target> <note /> </trans-unit> <trans-unit id="Unable_to_load_Analyzer_assembly_0_colon_1"> <source>Unable to load Analyzer assembly {0}: {1}</source> <target state="translated">No se puede cargar el ensamblado del analizador {0}: {1}</target> <note /> </trans-unit> <trans-unit id="Make_method_synchronous"> <source>Make method synchronous</source> <target state="translated">Convertir el método en sincrónico</target> <note /> </trans-unit> <trans-unit id="from_0"> <source>from {0}</source> <target state="translated">desde {0}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version"> <source>Find and install latest version</source> <target state="translated">Buscar e instalar la última versión</target> <note /> </trans-unit> <trans-unit id="Use_local_version_0"> <source>Use local version '{0}'</source> <target state="translated">Usar la versión local '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_locally_installed_0_version_1_This_version_used_in_colon_2"> <source>Use locally installed '{0}' version '{1}' This version used in: {2}</source> <target state="translated">Usar la versión '{0}' instalada localmente '{1}' Esta versión se utiliza en: {2}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version_of_0"> <source>Find and install latest version of '{0}'</source> <target state="translated">Buscar e instalar la última versión de '{0}'</target> <note /> </trans-unit> <trans-unit id="Install_with_package_manager"> <source>Install with package manager...</source> <target state="translated">Instalar con el Administrador de paquetes...</target> <note /> </trans-unit> <trans-unit id="Install_0_1"> <source>Install '{0} {1}'</source> <target state="translated">Instalar '{0} {1}'</target> <note /> </trans-unit> <trans-unit id="Install_version_0"> <source>Install version '{0}'</source> <target state="translated">Instalar la versión '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_variable_0"> <source>Generate variable '{0}'</source> <target state="translated">Generar variable '{0}'</target> <note /> </trans-unit> <trans-unit id="Classes"> <source>Classes</source> <target state="translated">Clases</target> <note /> </trans-unit> <trans-unit id="Constants"> <source>Constants</source> <target state="translated">Constantes</target> <note /> </trans-unit> <trans-unit id="Delegates"> <source>Delegates</source> <target state="translated">Delegados</target> <note /> </trans-unit> <trans-unit id="Enums"> <source>Enums</source> <target state="translated">Enumeraciones</target> <note /> </trans-unit> <trans-unit id="Events"> <source>Events</source> <target state="translated">Eventos</target> <note /> </trans-unit> <trans-unit id="Extension_methods"> <source>Extension methods</source> <target state="translated">Métodos de extensión</target> <note /> </trans-unit> <trans-unit id="Fields"> <source>Fields</source> <target state="translated">Campos</target> <note /> </trans-unit> <trans-unit id="Interfaces"> <source>Interfaces</source> <target state="translated">Interfaces</target> <note /> </trans-unit> <trans-unit id="Locals"> <source>Locals</source> <target state="translated">Variables locales</target> <note /> </trans-unit> <trans-unit id="Methods"> <source>Methods</source> <target state="translated">Métodos</target> <note /> </trans-unit> <trans-unit id="Modules"> <source>Modules</source> <target state="translated">Módulos</target> <note /> </trans-unit> <trans-unit id="Namespaces"> <source>Namespaces</source> <target state="translated">Espacios de nombres</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Propiedades</target> <note /> </trans-unit> <trans-unit id="Structures"> <source>Structures</source> <target state="translated">Estructuras</target> <note /> </trans-unit> <trans-unit id="Parameters_colon"> <source>Parameters:</source> <target state="translated">Parámetros:</target> <note /> </trans-unit> <trans-unit id="Variadic_SignatureHelpItem_must_have_at_least_one_parameter"> <source>Variadic SignatureHelpItem must have at least one parameter.</source> <target state="translated">El elemento variádico SignatureHelpItem debe tener al menos un parámetro.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_method"> <source>Replace '{0}' with method</source> <target state="translated">Reemplazar '{0}' por un método</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_methods"> <source>Replace '{0}' with methods</source> <target state="translated">Reemplazar '{0}' por métodos</target> <note /> </trans-unit> <trans-unit id="Property_referenced_implicitly"> <source>Property referenced implicitly</source> <target state="translated">Propiedad a la que se hace referencia de forma implícita</target> <note /> </trans-unit> <trans-unit id="Property_cannot_safely_be_replaced_with_a_method_call"> <source>Property cannot safely be replaced with a method call</source> <target state="translated">La propiedad no se puede reemplazar por una llamada a un método de forma segura</target> <note /> </trans-unit> <trans-unit id="Convert_to_interpolated_string"> <source>Convert to interpolated string</source> <target state="translated">Convertir a cadena interpolada</target> <note /> </trans-unit> <trans-unit id="Move_type_to_0"> <source>Move type to {0}</source> <target state="translated">Mover tipo a {0}</target> <note /> </trans-unit> <trans-unit id="Rename_file_to_0"> <source>Rename file to {0}</source> <target state="translated">Cambiar nombre de archivo por {0}</target> <note /> </trans-unit> <trans-unit id="Rename_type_to_0"> <source>Rename type to {0}</source> <target state="translated">Cambiar nombre de tipo por {0}</target> <note /> </trans-unit> <trans-unit id="Remove_tag"> <source>Remove tag</source> <target state="translated">Quitar etiqueta</target> <note /> </trans-unit> <trans-unit id="Add_missing_param_nodes"> <source>Add missing param nodes</source> <target state="translated">Agregar nodos de parámetros que faltan</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async"> <source>Make containing scope async</source> <target state="translated">Convertir el ámbito contenedor en asincrónico</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async_return_Task"> <source>Make containing scope async (return Task)</source> <target state="translated">Convertir el ámbito contenedor en asincrónico (devolver Task)</target> <note /> </trans-unit> <trans-unit id="paren_Unknown_paren"> <source>(Unknown)</source> <target state="translated">(Desconocido)</target> <note /> </trans-unit> <trans-unit id="Use_framework_type"> <source>Use framework type</source> <target state="translated">Usar tipo de marco de trabajo</target> <note /> </trans-unit> <trans-unit id="Install_package_0"> <source>Install package '{0}'</source> <target state="translated">Instalar paquete '{0}'</target> <note /> </trans-unit> <trans-unit id="project_0"> <source>project {0}</source> <target state="translated">proyecto {0}</target> <note /> </trans-unit> <trans-unit id="Fully_qualify_0"> <source>Fully qualify '{0}'</source> <target state="translated">'{0}' completo</target> <note /> </trans-unit> <trans-unit id="Remove_reference_to_0"> <source>Remove reference to '{0}'.</source> <target state="translated">Quitar referencia a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Keywords"> <source>Keywords</source> <target state="translated">Palabras clave</target> <note /> </trans-unit> <trans-unit id="Snippets"> <source>Snippets</source> <target state="translated">Fragmentos de código</target> <note /> </trans-unit> <trans-unit id="All_lowercase"> <source>All lowercase</source> <target state="translated">Todo minúsculas</target> <note /> </trans-unit> <trans-unit id="All_uppercase"> <source>All uppercase</source> <target state="translated">Todo mayúsculas</target> <note /> </trans-unit> <trans-unit id="First_word_capitalized"> <source>First word capitalized</source> <target state="translated">Primera palabra en mayúsculas</target> <note /> </trans-unit> <trans-unit id="Pascal_Case"> <source>Pascal Case</source> <target state="translated">Pascal Case</target> <note /> </trans-unit> <trans-unit id="Remove_document_0"> <source>Remove document '{0}'</source> <target state="translated">Quitar documento "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_document_0"> <source>Add document '{0}'</source> <target state="translated">Agregar documento "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0"> <source>Add argument name '{0}'</source> <target state="translated">Agregar nombre de argumento "{0}"</target> <note /> </trans-unit> <trans-unit id="Take_0"> <source>Take '{0}'</source> <target state="translated">Tomar "{0}"</target> <note /> </trans-unit> <trans-unit id="Take_both"> <source>Take both</source> <target state="translated">Tomar ambas</target> <note /> </trans-unit> <trans-unit id="Take_bottom"> <source>Take bottom</source> <target state="translated">Tomar parte inferior</target> <note /> </trans-unit> <trans-unit id="Take_top"> <source>Take top</source> <target state="translated">Tomar parte superior</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variable"> <source>Remove unused variable</source> <target state="translated">Quitar variable no utilizada</target> <note /> </trans-unit> <trans-unit id="Convert_to_binary"> <source>Convert to binary</source> <target state="translated">Convertir a binario</target> <note /> </trans-unit> <trans-unit id="Convert_to_decimal"> <source>Convert to decimal</source> <target state="translated">Convertir a decimal</target> <note /> </trans-unit> <trans-unit id="Convert_to_hex"> <source>Convert to hex</source> <target state="translated">Convertir a hexadecimal</target> <note /> </trans-unit> <trans-unit id="Separate_thousands"> <source>Separate thousands</source> <target state="translated">Separar miles</target> <note /> </trans-unit> <trans-unit id="Separate_words"> <source>Separate words</source> <target state="translated">Separar palabras</target> <note /> </trans-unit> <trans-unit id="Separate_nibbles"> <source>Separate nibbles</source> <target state="translated">Separar cuartetos</target> <note /> </trans-unit> <trans-unit id="Remove_separators"> <source>Remove separators</source> <target state="translated">Quitar separadores</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0"> <source>Add parameter to '{0}'</source> <target state="translated">Agregar parámetro a "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_constructor"> <source>Generate constructor...</source> <target state="translated">Generar constructor...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_as_constructor_parameters"> <source>Pick members to be used as constructor parameters</source> <target state="translated">Seleccionar miembros para usarlos como parámetros del constructor</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_in_Equals_GetHashCode"> <source>Pick members to be used in Equals/GetHashCode</source> <target state="translated">Seleccionar miembros para usar en Equals/GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_overrides"> <source>Generate overrides...</source> <target state="translated">Generar invalidaciones...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_override"> <source>Pick members to override</source> <target state="translated">Seleccionar miembros para invalidar</target> <note /> </trans-unit> <trans-unit id="Add_null_check"> <source>Add null check</source> <target state="translated">Agregar comprobación de valores null</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrEmpty_check"> <source>Add 'string.IsNullOrEmpty' check</source> <target state="translated">Agregar comprobación de "string.IsNullOrEmpty"</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrWhiteSpace_check"> <source>Add 'string.IsNullOrWhiteSpace' check</source> <target state="translated">Agregar comprobación de "string.IsNullOrWhiteSpace"</target> <note /> </trans-unit> <trans-unit id="Initialize_field_0"> <source>Initialize field '{0}'</source> <target state="translated">Inicializar campo "{0}"</target> <note /> </trans-unit> <trans-unit id="Initialize_property_0"> <source>Initialize property '{0}'</source> <target state="translated">Inicializar propiedad "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_null_checks"> <source>Add null checks</source> <target state="translated">Agregar comprobaciones de valores null</target> <note /> </trans-unit> <trans-unit id="Generate_operators"> <source>Generate operators</source> <target state="translated">Generar operadores</target> <note /> </trans-unit> <trans-unit id="Implement_0"> <source>Implement {0}</source> <target state="translated">Implementar {0}</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_in_file_1_which_is_not_part_of_the_compilation_being_analyzed"> <source>Reported diagnostic '{0}' has a source location in file '{1}', which is not part of the compilation being analyzed.</source> <target state="translated">El diagnóstico notificado "{0}" tiene una ubicación de origen en el archivo "{1}", que no forma parte de la compilación que se está analizando.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_1_in_file_2_which_is_outside_of_the_given_file"> <source>Reported diagnostic '{0}' has a source location '{1}' in file '{2}', which is outside of the given file.</source> <target state="translated">El diagnóstico notificado "{0}" tiene una ubicación de origen "{1}" en el archivo "{2}", que está fuera del archivo dado.</target> <note /> </trans-unit> <trans-unit id="in_0_project_1"> <source>in {0} (project {1})</source> <target state="translated">en {0} (proyecto {1})</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Agregar modificadores de accesibilidad</target> <note /> </trans-unit> <trans-unit id="Move_declaration_near_reference"> <source>Move declaration near reference</source> <target state="translated">Mover la declaración cerca de la referencia</target> <note /> </trans-unit> <trans-unit id="Convert_to_full_property"> <source>Convert to full property</source> <target state="translated">Convertir en propiedad completa</target> <note /> </trans-unit> <trans-unit id="Warning_Method_overrides_symbol_from_metadata"> <source>Warning: Method overrides symbol from metadata</source> <target state="translated">Advertencia: El método reemplaza el símbolo de los metadatos.</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use {0}</source> <target state="translated">Usar {0}</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0_including_trailing_arguments"> <source>Add argument name '{0}' (including trailing arguments)</source> <target state="translated">Agregar el nombre de argumento "{0}" (incluidos los argumentos finales)</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">función local</target> <note /> </trans-unit> <trans-unit id="indexer_"> <source>indexer</source> <target state="translated">indizador</target> <note /> </trans-unit> <trans-unit id="Alias_ambiguous_type_0"> <source>Alias ambiguous type '{0}'</source> <target state="translated">Tipo de alias ambiguo "{0}"</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_was_modified_during_iteration"> <source>Warning: Collection was modified during iteration.</source> <target state="translated">Advertencia: la colección se modificó durante la iteración.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Iteration_variable_crossed_function_boundary"> <source>Warning: Iteration variable crossed function boundary.</source> <target state="translated">Advertencia: límite de función cruzada de variable de iteración.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_may_be_modified_during_iteration"> <source>Warning: Collection may be modified during iteration.</source> <target state="translated">Advertencia: es posible que la colección se modifique durante la iteración.</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time"> <source>universal full date/time</source> <target state="translated">fecha/hora completa universal</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time_description"> <source>The "U" standard format specifier represents a custom date and time format string that is defined by a specified culture's DateTimeFormatInfo.FullDateTimePattern property. The pattern is the same as the "F" pattern. However, the DateTime value is automatically converted to UTC before it is formatted.</source> <target state="translated">El especificador de formato estándar "U" representa una cadena de formato de fecha y hora personalizada que está definida por una propiedad DateTimeFormatInfo.FullDateTimePattern de una referencia cultural especificada. El patrón es igual que el patrón "F", pero el valor de DateTime se cambia automáticamente a UTC antes de darle formato.</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time"> <source>universal sortable date/time</source> <target state="translated">fecha/hora universal que se puede ordenar</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time_description"> <source>The "u" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.UniversalSortableDateTimePattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture. Although the result string should express a time as Coordinated Universal Time (UTC), no conversion of the original DateTime value is performed during the formatting operation. Therefore, you must convert a DateTime value to UTC by calling the DateTime.ToUniversalTime method before formatting it.</source> <target state="translated">El especificador de formato estándar "u" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.UniversalSortableDateTimePattern. El patrón refleja un estándar definido y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable. Aunque la cadena de resultado debe expresar una hora como hora universal coordinada (UTC), no se realizará ninguna conversión del valor DateTime original durante la operación de formato. Por lo tanto, debe convertir un valor DateTime a UTC llamando al método DateTime.ToUniversalTime antes de aplicarle formato.</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_member"> <source>updating usages in containing member</source> <target state="translated">actualización de los usos en el miembro contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_project"> <source>updating usages in containing project</source> <target state="translated">actualización de usos en el proyecto contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_type"> <source>updating usages in containing type</source> <target state="translated">actualización de los usos en el tipo contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_dependent_projects"> <source>updating usages in dependent projects</source> <target state="translated">actualización de usos en proyectos dependientes</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset"> <source>utc hour and minute offset</source> <target state="translated">desfase en horas y minutos respecto a UTC</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset_description"> <source>With DateTime values, the "zzz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours and minutes. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zzz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours and minutes. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Con los valores de DateTime, el especificador de formato personalizado "zzz" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC, medido en horas y minutos. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "zzz" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor de DateTimeOffset con respecto a la hora UTC en horas y minutos. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits"> <source>utc hour offset (1-2 digits)</source> <target state="translated">desfase respecto a la hora UTC (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits_description"> <source>With DateTime values, the "z" custom format specifier represents the signed offset of the local operating system's time zone from Coordinated Universal Time (UTC), measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "z" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted without a leading zero. If the "z" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Con los valores de DateTime, el especificador de formato personalizado "z" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC (hora universal coordinada), medido en horas y minutos. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "z" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor de DateTimeOffset con respecto a la hora UTC en horas. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante. Si el especificador de formato "z" se usa sin otros especificadores de formato personalizados, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción de formato (FormatException).</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits"> <source>utc hour offset (2 digits)</source> <target state="translated">desfase respecto a la hora UTC (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits_description"> <source>With DateTime values, the "zz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Con valores de DateTime, el especificador de formato personalizado "zz" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC, medido en horas. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "zz" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor DateTimeOffset con respecto a la hora UTC en horas. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante.</target> <note /> </trans-unit> <trans-unit id="x_y_range_in_reverse_order"> <source>[x-y] range in reverse order</source> <target state="translated">rango [x-y] en orden inverso</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [b-a]</note> </trans-unit> <trans-unit id="year_1_2_digits"> <source>year (1-2 digits)</source> <target state="translated">año (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_1_2_digits_description"> <source>The "y" custom format specifier represents the year as a one-digit or two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the first digit of a two-digit year begins with a zero (for example, 2008), the number is formatted without a leading zero. If the "y" format specifier is used without other custom format specifiers, it's interpreted as the "y" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "y" representa el año como un número de uno o dos dígitos. Si el año tiene más de dos dígitos, en el resultado solo aparecen los dos dígitos de orden inferior. Si el primer dígito de un año de dos dígitos es un cero (por ejemplo, 2008), no se le pone un cero delante al número. Si el especificador de formato "y" se usa sin otros especificadores de formato personalizados, se interpreta como el especificador de formato de fecha y hora estándar "y".</target> <note /> </trans-unit> <trans-unit id="year_2_digits"> <source>year (2 digits)</source> <target state="translated">año (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_2_digits_description"> <source>The "yy" custom format specifier represents the year as a two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the two-digit year has fewer than two significant digits, the number is padded with leading zeros to produce two digits. In a parsing operation, a two-digit year that is parsed using the "yy" custom format specifier is interpreted based on the Calendar.TwoDigitYearMax property of the format provider's current calendar. The following example parses the string representation of a date that has a two-digit year by using the default Gregorian calendar of the en-US culture, which, in this case, is the current culture. It then changes the current culture's CultureInfo object to use a GregorianCalendar object whose TwoDigitYearMax property has been modified.</source> <target state="translated">El especificador de formato personalizado "yy" representa el año como un número de dos dígitos. Si el año tiene más de dos dígitos, en el resultado solo aparecen los dos dígitos de orden inferior. Si el año de dos dígitos tiene menos de dos dígitos significativos, se le pone un cero delante al número para tener dos dígitos. En una operación de análisis, un año de dos dígitos que se analiza con el especificador de formato personalizado "yy" se interpreta en función de la propiedad Calendar.TwoDigitYearMax del calendario actual del proveedor de formato. En el ejemplo siguiente se analiza la representación de cadena de una fecha que tiene un año de dos dígitos con el calendario gregoriano predeterminado de la referencia cultural en-US, que, en este caso, es la referencia cultural actual. Después, se cambia el objeto CultureInfo de la referencia cultural actual para que use un objeto GregorianCalendar cuya propiedad TwoDigitYearMax se ha modificado.</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits"> <source>year (3-4 digits)</source> <target state="translated">año (3-4 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits_description"> <source>The "yyy" custom format specifier represents the year with a minimum of three digits. If the year has more than three significant digits, they are included in the result string. If the year has fewer than three digits, the number is padded with leading zeros to produce three digits.</source> <target state="translated">El especificador de formato personalizado "yyy" representa el año con un mínimo de tres dígitos. Si el año tiene más de tres dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de tres dígitos, se le ponen ceros delante al número hasta tener tres dígitos.</target> <note /> </trans-unit> <trans-unit id="year_4_digits"> <source>year (4 digits)</source> <target state="translated">año (4 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_4_digits_description"> <source>The "yyyy" custom format specifier represents the year with a minimum of four digits. If the year has more than four significant digits, they are included in the result string. If the year has fewer than four digits, the number is padded with leading zeros to produce four digits.</source> <target state="translated">El especificador de formato personalizado "yyyy" representa el año con un mínimo de cuatro dígitos. Si el año tiene más de cuatro dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de cuatro dígitos, se le ponen ceros delante al número hasta tener cuatro dígitos.</target> <note /> </trans-unit> <trans-unit id="year_5_digits"> <source>year (5 digits)</source> <target state="translated">año (5 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_5_digits_description"> <source>The "yyyyy" custom format specifier (plus any number of additional "y" specifiers) represents the year with a minimum of five digits. If the year has more than five significant digits, they are included in the result string. If the year has fewer than five digits, the number is padded with leading zeros to produce five digits. If there are additional "y" specifiers, the number is padded with as many leading zeros as necessary to produce the number of "y" specifiers.</source> <target state="translated">El especificador de formato personalizado "yyyyy" (más cualquier número de especificadores "y" adicionales) representa el año con un mínimo de cinco dígitos. Si el año tiene más de cinco dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de cinco dígitos, se le ponen ceros delante al número hasta tener cinco dígitos. Si hay especificadores "y" adicionales, al número se le ponen delante tantos ceros como sean necesarios para tener el número de especificadores "y".</target> <note /> </trans-unit> <trans-unit id="year_month"> <source>year month</source> <target state="translated">mes del año</target> <note /> </trans-unit> <trans-unit id="year_month_description"> <source>The "Y" or "y" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.YearMonthPattern property of a specified culture. For example, the custom format string for the invariant culture is "yyyy MMMM".</source> <target state="translated">El especificador de formato estándar "Y" o "y" representa una cadena de formato de fecha y hora personalizado definida por la propiedad DateTimeFormatInfo.YearMonthPattern de una referencia cultural especificada. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "yyyy MMMM".</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../FeaturesResources.resx"> <body> <trans-unit id="0_directive"> <source>#{0} directive</source> <target state="new">#{0} directive</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated"> <source>AM/PM (abbreviated)</source> <target state="translated">a.m./p.m. (abreviado)</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated_description"> <source>The "t" custom format specifier represents the first character of the AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. If the "t" format specifier is used without other custom format specifiers, it's interpreted as the "t" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "t" representa el primer carácter del designador AM/PM. Se recupera el designador adaptado apropiado de la propiedad DateTimeFormatInfo.AMDesignator o DateTimeFormatInfo.PMDesignator de la referencia cultural actual o específica. El designador AM se usa para todas las horas de 0:00:00 (medianoche) a 11:59:59.999. El designador PM se usa para todas las horas de 12:00:00 (mediodía) a 23:59:59.999. Si el especificador de formato "t" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "t".</target> <note /> </trans-unit> <trans-unit id="AM_PM_full"> <source>AM/PM (full)</source> <target state="translated">a.m./p.m. (completo)</target> <note /> </trans-unit> <trans-unit id="AM_PM_full_description"> <source>The "tt" custom format specifier (plus any number of additional "t" specifiers) represents the entire AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. Make sure to use the "tt" specifier for languages for which it's necessary to maintain the distinction between AM and PM. An example is Japanese, for which the AM and PM designators differ in the second character instead of the first character.</source> <target state="translated">El especificador de formato personalizado "tt" (más cualquier número de especificadores "t" adicionales) representa el designador AM/PM completo. Se recupera el designador adaptado apropiado de la propiedad DateTimeFormatInfo.AMDesignator o DateTimeFormatInfo.PMDesignator de la referencia cultural actual o específica. El designador AM se usa para todas las horas de 0:00:00 (medianoche) a 11:59:59.999. El designador PM se usa para todas las horas de 12:00:00 (mediodía) a 23:59:59.999. Asegúrese de usar el especificador "tt" para los idiomas para los que es necesario mantener la distinción entre AM y PM. Un ejemplo es el japonés, para el que los designadores AM y PM difieren en el segundo carácter en lugar de en el primer carácter.</target> <note /> </trans-unit> <trans-unit id="A_subtraction_must_be_the_last_element_in_a_character_class"> <source>A subtraction must be the last element in a character class</source> <target state="translated">Una sustracción debe ser el último elemento de una clase de caracteres</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-[b]-c]</note> </trans-unit> <trans-unit id="Accessing_captured_variable_0_that_hasn_t_been_accessed_before_in_1_requires_restarting_the_application"> <source>Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</source> <target state="new">Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Add_DebuggerDisplay_attribute"> <source>Add 'DebuggerDisplay' attribute</source> <target state="translated">Agregar atributo de "DebuggerDisplay"</target> <note>{Locked="DebuggerDisplay"} "DebuggerDisplay" is a BCL class and should not be localized.</note> </trans-unit> <trans-unit id="Add_explicit_cast"> <source>Add explicit cast</source> <target state="translated">Agregar conversión explícita</target> <note /> </trans-unit> <trans-unit id="Add_member_name"> <source>Add member name</source> <target state="translated">Agregar nombre de miembro</target> <note /> </trans-unit> <trans-unit id="Add_null_checks_for_all_parameters"> <source>Add null checks for all parameters</source> <target state="translated">Agregar comprobaciones de valores NULL para todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameter_to_constructor"> <source>Add optional parameter to constructor</source> <target state="translated">Agregar parámetro opcional al constructor</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0_and_overrides_implementations"> <source>Add parameter to '{0}' (and overrides/implementations)</source> <target state="translated">Agregar un parámetro a “{0}” (y reemplazos/implementaciones)</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_constructor"> <source>Add parameter to constructor</source> <target state="translated">Agregar parámetro al constructor</target> <note /> </trans-unit> <trans-unit id="Add_project_reference_to_0"> <source>Add project reference to '{0}'.</source> <target state="translated">Agregue referencia de proyecto a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Add_reference_to_0"> <source>Add reference to '{0}'.</source> <target state="translated">Agregue referencia a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Actions_can_not_be_empty"> <source>Actions can not be empty.</source> <target state="translated">Las acciones no pueden estar vacías.</target> <note /> </trans-unit> <trans-unit id="Add_tuple_element_name_0"> <source>Add tuple element name '{0}'</source> <target state="translated">Agregar el nombre del elemento de tupla "{0}"</target> <note /> </trans-unit> <trans-unit id="Adding_0_around_an_active_statement_requires_restarting_the_application"> <source>Adding {0} around an active statement requires restarting the application.</source> <target state="new">Adding {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_1_requires_restarting_the_application"> <source>Adding {0} into a {1} requires restarting the application.</source> <target state="new">Adding {0} into a {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_class_with_explicit_or_sequential_layout_requires_restarting_the_application"> <source>Adding {0} into a class with explicit or sequential layout requires restarting the application.</source> <target state="new">Adding {0} into a class with explicit or sequential layout requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_generic_type_requires_restarting_the_application"> <source>Adding {0} into a generic type requires restarting the application.</source> <target state="new">Adding {0} into a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_method_requires_restarting_the_application"> <source>Adding {0} into an interface method requires restarting the application.</source> <target state="new">Adding {0} into an interface method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_requires_restarting_the_application"> <source>Adding {0} into an interface requires restarting the application.</source> <target state="new">Adding {0} into an interface requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_requires_restarting_the_application"> <source>Adding {0} requires restarting the application.</source> <target state="new">Adding {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_that_accesses_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_with_the_Handles_clause_requires_restarting_the_application"> <source>Adding {0} with the Handles clause requires restarting the application.</source> <target state="new">Adding {0} with the Handles clause requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_MustOverride_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</target> <note>{Locked="MustOverride"} "MustOverride" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_constructor_to_a_type_with_a_field_or_property_initializer_that_contains_an_anonymous_function_requires_restarting_the_application"> <source>Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</source> <target state="new">Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_generic_0_requires_restarting_the_application"> <source>Adding a generic {0} requires restarting the application.</source> <target state="new">Adding a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_method_with_an_explicit_interface_specifier_requires_restarting_the_application"> <source>Adding a method with an explicit interface specifier requires restarting the application.</source> <target state="new">Adding a method with an explicit interface specifier requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_new_file_requires_restarting_the_application"> <source>Adding a new file requires restarting the application.</source> <target state="new">Adding a new file requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_user_defined_0_requires_restarting_the_application"> <source>Adding a user defined {0} requires restarting the application.</source> <target state="new">Adding a user defined {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_abstract_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_extern_0_requires_restarting_the_application"> <source>Adding an extern {0} requires restarting the application.</source> <target state="new">Adding an extern {0} requires restarting the application.</target> <note>{Locked="extern"} "extern" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_an_imported_method_requires_restarting_the_application"> <source>Adding an imported method requires restarting the application.</source> <target state="new">Adding an imported method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_arguments"> <source>Align wrapped arguments</source> <target state="translated">Alinear argumentos ajustados</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_parameters"> <source>Align wrapped parameters</source> <target state="translated">Alinear parámetros ajustados</target> <note /> </trans-unit> <trans-unit id="Alternation_conditions_cannot_be_comments"> <source>Alternation conditions cannot be comments</source> <target state="translated">Las condiciones de alternancia no pueden ser comentarios</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a|(?#b)</note> </trans-unit> <trans-unit id="Alternation_conditions_do_not_capture_and_cannot_be_named"> <source>Alternation conditions do not capture and cannot be named</source> <target state="translated">Las condiciones de alternancia no se captan y se les puede poner un nombre</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(?'x'))</note> </trans-unit> <trans-unit id="An_update_that_causes_the_return_type_of_implicit_main_to_change_requires_restarting_the_application"> <source>An update that causes the return type of the implicit Main method to change requires restarting the application.</source> <target state="new">An update that causes the return type of the implicit Main method to change requires restarting the application.</target> <note>{Locked="Main"} is C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Apply_file_header_preferences"> <source>Apply file header preferences</source> <target state="translated">Aplicar preferencias de encabezado de archivo</target> <note /> </trans-unit> <trans-unit id="Apply_object_collection_initialization_preferences"> <source>Apply object/collection initialization preferences</source> <target state="translated">Aplicar preferencias de inicialización de objetos o colecciones</target> <note /> </trans-unit> <trans-unit id="Attribute_0_is_missing_Updating_an_async_method_or_an_iterator_requires_restarting_the_application"> <source>Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</source> <target state="new">Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Asynchronously_waits_for_the_task_to_finish"> <source>Asynchronously waits for the task to finish.</source> <target state="new">Asynchronously waits for the task to finish.</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_0"> <source>Awaited task returns '{0}'</source> <target state="translated">La tarea esperada devuelve "{0}".</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_no_value"> <source>Awaited task returns no value</source> <target state="translated">La tarea esperada no devuelve ningún valor.</target> <note /> </trans-unit> <trans-unit id="Base_classes_contain_inaccessible_unimplemented_members"> <source>Base classes contain inaccessible unimplemented members</source> <target state="translated">Las clases base contienen miembros no implementados que son inaccesibles.</target> <note /> </trans-unit> <trans-unit id="CannotApplyChangesUnexpectedError"> <source>Cannot apply changes -- unexpected error: '{0}'</source> <target state="translated">No se pueden aplicar los cambios. Error inesperado: "{0}"</target> <note /> </trans-unit> <trans-unit id="Cannot_include_class_0_in_character_range"> <source>Cannot include class \{0} in character range</source> <target state="translated">No se incluye la clase \{0} en el intervalo de caracteres</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-\w]. {0} is the invalid class (\w here)</note> </trans-unit> <trans-unit id="Capture_group_numbers_must_be_less_than_or_equal_to_Int32_MaxValue"> <source>Capture group numbers must be less than or equal to Int32.MaxValue</source> <target state="translated">La captura de números de grupo deben ser menor o igual a Int32.MaxValue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{2147483648}</note> </trans-unit> <trans-unit id="Capture_number_cannot_be_zero"> <source>Capture number cannot be zero</source> <target state="translated">La captura de número no puede ser cero</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;0&gt;a)</note> </trans-unit> <trans-unit id="Capturing_variable_0_that_hasn_t_been_captured_before_requires_restarting_the_application"> <source>Capturing variable '{0}' that hasn't been captured before requires restarting the application.</source> <target state="new">Capturing variable '{0}' that hasn't been captured before requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_access_captured_variable_0_in_1_requires_restarting_the_application"> <source>Ceasing to access captured variable '{0}' in {1} requires restarting the application.</source> <target state="new">Ceasing to access captured variable '{0}' in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_capture_variable_0_requires_restarting_the_application"> <source>Ceasing to capture variable '{0}' requires restarting the application.</source> <target state="new">Ceasing to capture variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterInferValue"> <source>&lt;infer&gt;</source> <target state="translated">&lt;inferir&gt;</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterIntroduceTODOVariable"> <source>TODO</source> <target state="new">TODO</target> <note>"TODO" is an indication that there is work still to be done.</note> </trans-unit> <trans-unit id="ChangeSignature_NewParameterOmitValue"> <source>&lt;omit&gt;</source> <target state="translated">&lt;omitir&gt;</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_0"> <source>Change namespace to '{0}'</source> <target state="translated">Cambiar el espacio de nombres "{0}"</target> <note /> </trans-unit> <trans-unit id="Change_to_global_namespace"> <source>Change to global namespace</source> <target state="translated">Cambiar al espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="ChangesDisallowedWhileStoppedAtException"> <source>Changes are not allowed while stopped at exception</source> <target state="translated">No se permiten cambios durante una parada por una excepción</target> <note /> </trans-unit> <trans-unit id="ChangesNotAppliedWhileRunning"> <source>Changes made in project '{0}' will not be applied while the application is running</source> <target state="translated">Los cambios realizados en el proyecto "{0}" no se aplicarán mientras se esté ejecutando la aplicación</target> <note /> </trans-unit> <trans-unit id="ChangesRequiredSynthesizedType"> <source>One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</source> <target state="new">One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</target> <note /> </trans-unit> <trans-unit id="Changing_0_from_asynchronous_to_synchronous_requires_restarting_the_application"> <source>Changing {0} from asynchronous to synchronous requires restarting the application.</source> <target state="new">Changing {0} from asynchronous to synchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_0_to_1_requires_restarting_the_application_because_it_changes_the_shape_of_the_state_machine"> <source>Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</source> <target state="new">Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</target> <note /> </trans-unit> <trans-unit id="Changing_a_field_to_an_event_or_vice_versa_requires_restarting_the_application"> <source>Changing a field to an event or vice versa requires restarting the application.</source> <target state="new">Changing a field to an event or vice versa requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_constraints_of_0_requires_restarting_the_application"> <source>Changing constraints of {0} requires restarting the application.</source> <target state="new">Changing constraints of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_parameter_types_of_0_requires_restarting_the_application"> <source>Changing parameter types of {0} requires restarting the application.</source> <target state="new">Changing parameter types of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_pseudo_custom_attribute_0_of_1_requires_restarting_th_application"> <source>Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</source> <target state="new">Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</target> <note /> </trans-unit> <trans-unit id="Changing_the_declaration_scope_of_a_captured_variable_0_requires_restarting_the_application"> <source>Changing the declaration scope of a captured variable '{0}' requires restarting the application.</source> <target state="new">Changing the declaration scope of a captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_parameters_of_0_requires_restarting_the_application"> <source>Changing the parameters of {0} requires restarting the application.</source> <target state="new">Changing the parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_return_type_of_0_requires_restarting_the_application"> <source>Changing the return type of {0} requires restarting the application.</source> <target state="new">Changing the return type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_0_requires_restarting_the_application"> <source>Changing the type of {0} requires restarting the application.</source> <target state="new">Changing the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_a_captured_variable_0_previously_of_type_1_requires_restarting_the_application"> <source>Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</source> <target state="new">Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_type_parameters_of_0_requires_restarting_the_application"> <source>Changing type parameters of {0} requires restarting the application.</source> <target state="new">Changing type parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_visibility_of_0_requires_restarting_the_application"> <source>Changing visibility of {0} requires restarting the application.</source> <target state="new">Changing visibility of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Configure_0_code_style"> <source>Configure {0} code style</source> <target state="translated">Configurar el estilo de código de {0}</target> <note /> </trans-unit> <trans-unit id="Configure_0_severity"> <source>Configure {0} severity</source> <target state="translated">Configurar la gravedad de {0}</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_0_analyzers"> <source>Configure severity for all '{0}' analyzers</source> <target state="translated">Configurar la gravedad de todos los analizadores ("{0}")</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_analyzers"> <source>Configure severity for all analyzers</source> <target state="translated">Configurar la gravedad de todos los analizadores</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq"> <source>Convert to LINQ</source> <target state="translated">Convertir a LINQ</target> <note /> </trans-unit> <trans-unit id="Add_to_0"> <source>Add to '{0}'</source> <target state="translated">Agregar a “{0}”</target> <note /> </trans-unit> <trans-unit id="Convert_to_class"> <source>Convert to class</source> <target state="translated">Convertir a la clase</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq_call_form"> <source>Convert to LINQ (call form)</source> <target state="translated">Convertir a LINQ (formulario de llamada)</target> <note /> </trans-unit> <trans-unit id="Convert_to_record"> <source>Convert to record</source> <target state="translated">Convertir en registro</target> <note /> </trans-unit> <trans-unit id="Convert_to_record_struct"> <source>Convert to record struct</source> <target state="translated">Convertir en registro de estructuras</target> <note /> </trans-unit> <trans-unit id="Convert_to_struct"> <source>Convert to struct</source> <target state="translated">Convertir a struct</target> <note /> </trans-unit> <trans-unit id="Convert_type_to_0"> <source>Convert type to '{0}'</source> <target state="translated">Convertir tipo en "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_field_0"> <source>Create and assign field '{0}'</source> <target state="translated">Crear y asignar campo "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_property_0"> <source>Create and assign property '{0}'</source> <target state="translated">Crear y asignar propiedad "{0}"</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_fields"> <source>Create and assign remaining as fields</source> <target state="translated">Crear y asignar el resto como campos</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_properties"> <source>Create and assign remaining as properties</source> <target state="translated">Crear y asignar el resto como propiedades</target> <note /> </trans-unit> <trans-unit id="Deleting_0_around_an_active_statement_requires_restarting_the_application"> <source>Deleting {0} around an active statement requires restarting the application.</source> <target state="new">Deleting {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_0_requires_restarting_the_application"> <source>Deleting {0} requires restarting the application.</source> <target state="new">Deleting {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_captured_variable_0_requires_restarting_the_application"> <source>Deleting captured variable '{0}' requires restarting the application.</source> <target state="new">Deleting captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Do_not_change_this_code_Put_cleanup_code_in_0_method"> <source>Do not change this code. Put cleanup code in '{0}' method</source> <target state="translated">No cambie este código. Coloque el código de limpieza en el método "{0}".</target> <note /> </trans-unit> <trans-unit id="DocumentIsOutOfSyncWithDebuggee"> <source>The current content of source file '{0}' does not match the built source. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">El contenido actual del archivo de código fuente "{0}" no coincide con el del código fuente compilado, así que los cambios realizados en este archivo durante la depuración no se aplicarán hasta que coincida.</target> <note /> </trans-unit> <trans-unit id="Document_must_be_contained_in_the_workspace_that_created_this_service"> <source>Document must be contained in the workspace that created this service</source> <target state="translated">El documento debe estar contenido en el área de trabajo que creó este servicio</target> <note /> </trans-unit> <trans-unit id="EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Editar y continuar</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByModule"> <source>Edit and Continue disallowed by module</source> <target state="translated">El módulo no permite editar y continuar</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByProject"> <source>Changes made in project '{0}' require restarting the application: {1}</source> <target state="needs-review-translation">Los cambios realizados en el proyecto "{0}" impedirán que continúe la sesión de depuración: {1}</target> <note /> </trans-unit> <trans-unit id="Edit_and_continue_is_not_supported_by_the_runtime"> <source>Edit and continue is not supported by the runtime.</source> <target state="translated">El runtime no admite editar y continuar.</target> <note /> </trans-unit> <trans-unit id="ErrorReadingFile"> <source>Error while reading file '{0}': {1}</source> <target state="translated">Error al leer el archivo "{0}": {1}</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider"> <source>Error creating instance of CodeFixProvider</source> <target state="translated">Error al crear la instancia de CodeFixProvider</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider_0"> <source>Error creating instance of CodeFixProvider '{0}'</source> <target state="translated">Error al crear la instancia de CodeFixProvider "{0}"</target> <note /> </trans-unit> <trans-unit id="Example"> <source>Example:</source> <target state="translated">Ejemplo:</target> <note>Singular form when we want to show an example, but only have one to show.</note> </trans-unit> <trans-unit id="Examples"> <source>Examples:</source> <target state="translated">Ejemplos:</target> <note>Plural form when we have multiple examples to show.</note> </trans-unit> <trans-unit id="Explicitly_implemented_methods_of_records_must_have_parameter_names_that_match_the_compiler_generated_equivalent_0"> <source>Explicitly implemented methods of records must have parameter names that match the compiler generated equivalent '{0}'</source> <target state="translated">Los métodos de registros implementados explícitamente deben tener nombres de parámetro que coincidan con el equivalente generado por el programa "{0}"</target> <note /> </trans-unit> <trans-unit id="Extract_base_class"> <source>Extract base class...</source> <target state="translated">Extraer clase base...</target> <note /> </trans-unit> <trans-unit id="Extract_interface"> <source>Extract interface...</source> <target state="translated">Extraer interfaz...</target> <note /> </trans-unit> <trans-unit id="Extract_local_function"> <source>Extract local function</source> <target state="translated">Extraer función local</target> <note /> </trans-unit> <trans-unit id="Extract_method"> <source>Extract method</source> <target state="translated">Extraer método</target> <note /> </trans-unit> <trans-unit id="Failed_to_analyze_data_flow_for_0"> <source>Failed to analyze data-flow for: {0}</source> <target state="translated">No se pudo analizar el flujo de datos para: {0}.</target> <note /> </trans-unit> <trans-unit id="Fix_formatting"> <source>Fix formatting</source> <target state="translated">Fijar formato</target> <note /> </trans-unit> <trans-unit id="Fix_typo_0"> <source>Fix typo '{0}'</source> <target state="translated">Corregir error de escritura "{0}"</target> <note /> </trans-unit> <trans-unit id="Format_document"> <source>Format document</source> <target state="translated">Dar formato al documento</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document</source> <target state="translated">Aplicando formato al documento</target> <note /> </trans-unit> <trans-unit id="Generate_comparison_operators"> <source>Generate comparison operators</source> <target state="translated">Generar operadores de comparación</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_fields"> <source>Generate constructor in '{0}' (with fields)</source> <target state="translated">Generar un constructor en "{0}" (con campos)</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_properties"> <source>Generate constructor in '{0}' (with properties)</source> <target state="translated">Generar un constructor en "{0}" (con propiedades)</target> <note /> </trans-unit> <trans-unit id="Generate_for_0"> <source>Generate for '{0}'</source> <target state="translated">Generar para "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0"> <source>Generate parameter '{0}'</source> <target state="translated">Generar el parámetro "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0_and_overrides_implementations"> <source>Generate parameter '{0}' (and overrides/implementations)</source> <target state="translated">Generar el parámetro "{0}" (y reemplazos/implementaciones)</target> <note /> </trans-unit> <trans-unit id="Illegal_backslash_at_end_of_pattern"> <source>Illegal \ at end of pattern</source> <target state="translated">\ no válido al final del modelo</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \</note> </trans-unit> <trans-unit id="Illegal_x_y_with_x_less_than_y"> <source>Illegal {x,y} with x &gt; y</source> <target state="translated">Ilegales {x, y} con x &gt; y</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{1,0}</note> </trans-unit> <trans-unit id="Implement_0_explicitly"> <source>Implement '{0}' explicitly</source> <target state="translated">Implementar "{0}" de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_0_implicitly"> <source>Implement '{0}' implicitly</source> <target state="translated">Implementar "{0}" de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_abstract_class"> <source>Implement abstract class</source> <target state="translated">Implementar clase abstracta</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_explicitly"> <source>Implement all interfaces explicitly</source> <target state="translated">Implementar todas las interfaces de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_implicitly"> <source>Implement all interfaces implicitly</source> <target state="translated">Implementar todas las interfaces de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_all_members_explicitly"> <source>Implement all members explicitly</source> <target state="translated">Implementar todos los miembros de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_explicitly"> <source>Implement explicitly</source> <target state="translated">Implementar de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_implicitly"> <source>Implement implicitly</source> <target state="translated">Implementar de forma implícita</target> <note /> </trans-unit> <trans-unit id="Implement_remaining_members_explicitly"> <source>Implement remaining members explicitly</source> <target state="translated">Implementar los miembros restantes de forma explícita</target> <note /> </trans-unit> <trans-unit id="Implement_through_0"> <source>Implement through '{0}'</source> <target state="translated">Implementar a través de "{0}"</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_as_read_only_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' as read only requires restarting the application,</source> <target state="new">Implementing a record positional parameter '{0}' as read only requires restarting the application,</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_with_a_set_accessor_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</source> <target state="new">Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Incomplete_character_escape"> <source>Incomplete \p{X} character escape</source> <target state="translated">Escape de carácter incompleto \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{ Cc }</note> </trans-unit> <trans-unit id="Indent_all_arguments"> <source>Indent all arguments</source> <target state="translated">Aplicar sangría a todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Indent_all_parameters"> <source>Indent all parameters</source> <target state="translated">Aplicar sangría a todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_arguments"> <source>Indent wrapped arguments</source> <target state="translated">Argumentos con la sangría ajustada</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_parameters"> <source>Indent wrapped parameters</source> <target state="translated">Parámetros con la sangría ajustada</target> <note /> </trans-unit> <trans-unit id="Inline_0"> <source>Inline '{0}'</source> <target state="translated">En línea "{0}"</target> <note /> </trans-unit> <trans-unit id="Inline_and_keep_0"> <source>Inline and keep '{0}'</source> <target state="translated">Alinear y mantener "{0}"</target> <note /> </trans-unit> <trans-unit id="Insufficient_hexadecimal_digits"> <source>Insufficient hexadecimal digits</source> <target state="translated">Insuficientes dígitos hexadecimales</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \x</note> </trans-unit> <trans-unit id="Introduce_constant"> <source>Introduce constant</source> <target state="translated">Introducir la sangría</target> <note /> </trans-unit> <trans-unit id="Introduce_field"> <source>Introduce field</source> <target state="translated">Introducir campo</target> <note /> </trans-unit> <trans-unit id="Introduce_local"> <source>Introduce local</source> <target state="translated">Introducir local</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter"> <source>Introduce parameter</source> <target state="new">Introduce parameter</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_0"> <source>Introduce parameter for '{0}'</source> <target state="new">Introduce parameter for '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_all_occurrences_of_0"> <source>Introduce parameter for all occurrences of '{0}'</source> <target state="new">Introduce parameter for all occurrences of '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable"> <source>Introduce query variable</source> <target state="translated">Introducir la variable de consulta</target> <note /> </trans-unit> <trans-unit id="Invalid_group_name_Group_names_must_begin_with_a_word_character"> <source>Invalid group name: Group names must begin with a word character</source> <target state="translated">Nombre de grupo no válido: nombres de grupo deben comenzar con un carácter de palabra</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;a &gt;a)</note> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="new">Invalid selection.</target> <note /> </trans-unit> <trans-unit id="Make_class_abstract"> <source>Make class 'abstract'</source> <target state="translated">Convertir la clase en "abstract"</target> <note /> </trans-unit> <trans-unit id="Make_member_static"> <source>Make static</source> <target state="translated">Hacer estático</target> <note /> </trans-unit> <trans-unit id="Invert_conditional"> <source>Invert conditional</source> <target state="translated">Invertir condicional</target> <note /> </trans-unit> <trans-unit id="Making_a_method_an_iterator_requires_restarting_the_application"> <source>Making a method an iterator requires restarting the application.</source> <target state="new">Making a method an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Making_a_method_asynchronous_requires_restarting_the_application"> <source>Making a method asynchronous requires restarting the application.</source> <target state="new">Making a method asynchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Malformed"> <source>malformed</source> <target state="translated">con formato incorrecto</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0</note> </trans-unit> <trans-unit id="Malformed_character_escape"> <source>Malformed \p{X} character escape</source> <target state="translated">Escape de carácter incorrecto \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p {Cc}</note> </trans-unit> <trans-unit id="Malformed_named_back_reference"> <source>Malformed \k&lt;...&gt; named back reference</source> <target state="translated">Referencia atrás con nombre \k&lt;...&gt; mal formado</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k'</note> </trans-unit> <trans-unit id="Merge_with_nested_0_statement"> <source>Merge with nested '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" anidada</target> <note /> </trans-unit> <trans-unit id="Merge_with_next_0_statement"> <source>Merge with next '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" siguiente</target> <note /> </trans-unit> <trans-unit id="Merge_with_outer_0_statement"> <source>Merge with outer '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" externa</target> <note /> </trans-unit> <trans-unit id="Merge_with_previous_0_statement"> <source>Merge with previous '{0}' statement</source> <target state="translated">Combinar con la instrucción "{0}" anterior</target> <note /> </trans-unit> <trans-unit id="MethodMustReturnStreamThatSupportsReadAndSeek"> <source>{0} must return a stream that supports read and seek operations.</source> <target state="translated">{0} debe devolver una secuencia que admita operaciones de lectura y búsqueda.</target> <note /> </trans-unit> <trans-unit id="Missing_control_character"> <source>Missing control character</source> <target state="translated">Falta de carácter de control</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \c</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_a_static_variable_requires_restarting_the_application"> <source>Modifying {0} which contains a static variable requires restarting the application.</source> <target state="new">Modifying {0} which contains a static variable requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_0_which_contains_an_Aggregate_Group_By_or_Join_query_clauses_requires_restarting_the_application"> <source>Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</source> <target state="new">Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</target> <note>{Locked="Aggregate"}{Locked="Group By"}{Locked="Join"} are VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_the_stackalloc_operator_requires_restarting_the_application"> <source>Modifying {0} which contains the stackalloc operator requires restarting the application.</source> <target state="new">Modifying {0} which contains the stackalloc operator requires restarting the application.</target> <note>{Locked="stackalloc"} "stackalloc" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_a_catch_finally_handler_with_an_active_statement_in_the_try_block_requires_restarting_the_application"> <source>Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</source> <target state="new">Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_catch_handler_around_an_active_statement_requires_restarting_the_application"> <source>Modifying a catch handler around an active statement requires restarting the application.</source> <target state="new">Modifying a catch handler around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_generic_method_requires_restarting_the_application"> <source>Modifying a generic method requires restarting the application.</source> <target state="new">Modifying a generic method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_method_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying a method inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying a method inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_try_catch_finally_statement_when_the_finally_block_is_active_requires_restarting_the_application"> <source>Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</source> <target state="new">Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_an_active_0_which_contains_On_Error_or_Resume_statements_requires_restarting_the_application"> <source>Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</source> <target state="new">Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</target> <note>{Locked="On Error"}{Locked="Resume"} is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_because_the_body_has_too_many_statements"> <source>Modifying the body of {0} requires restarting the application because the body has too many statements.</source> <target state="new">Modifying the body of {0} requires restarting the application because the body has too many statements.</target> <note /> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying the body of {0} requires restarting the application due to internal error: {1}</source> <target state="new">Modifying the body of {0} requires restarting the application due to internal error: {1}</target> <note>{1} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_because_the_file_is_too_big"> <source>Modifying source file '{0}' requires restarting the application because the file is too big.</source> <target state="new">Modifying source file '{0}' requires restarting the application because the file is too big.</target> <note /> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying source file '{0}' requires restarting the application due to internal error: {1}</source> <target state="new">Modifying source file '{0}' requires restarting the application due to internal error: {1}</target> <note>{2} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_with_experimental_language_features_enabled_requires_restarting_the_application"> <source>Modifying source with experimental language features enabled requires restarting the application.</source> <target state="new">Modifying source with experimental language features enabled requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_the_initializer_of_0_in_a_generic_type_requires_restarting_the_application"> <source>Modifying the initializer of {0} in a generic type requires restarting the application.</source> <target state="new">Modifying the initializer of {0} in a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_0_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_a_generic_0_requires_restarting_the_application"> <source>Modifying whitespace or comments in a generic {0} requires restarting the application.</source> <target state="new">Modifying whitespace or comments in a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Move_contents_to_namespace"> <source>Move contents to namespace...</source> <target state="translated">Mover contenido al espacio de nombres...</target> <note /> </trans-unit> <trans-unit id="Move_file_to_0"> <source>Move file to '{0}'</source> <target state="translated">Mover el archivo a "{0}"</target> <note /> </trans-unit> <trans-unit id="Move_file_to_project_root_folder"> <source>Move file to project root folder</source> <target state="translated">Mover el archivo a la carpeta raíz del proyecto</target> <note /> </trans-unit> <trans-unit id="Move_to_namespace"> <source>Move to namespace...</source> <target state="translated">Mover a espacio de nombres...</target> <note /> </trans-unit> <trans-unit id="Moving_0_requires_restarting_the_application"> <source>Moving {0} requires restarting the application.</source> <target state="new">Moving {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Nested_quantifier_0"> <source>Nested quantifier {0}</source> <target state="translated">Cuantificador anidado {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a**. In this case {0} will be '*', the extra unnecessary quantifier.</note> </trans-unit> <trans-unit id="No_common_root_node_for_extraction"> <source>No common root node for extraction.</source> <target state="new">No common root node for extraction.</target> <note /> </trans-unit> <trans-unit id="No_valid_location_to_insert_method_call"> <source>No valid location to insert method call.</source> <target state="translated">No hay ninguna ubicación válida para insertar una llamada de método.</target> <note /> </trans-unit> <trans-unit id="No_valid_selection_to_perform_extraction"> <source>No valid selection to perform extraction.</source> <target state="new">No valid selection to perform extraction.</target> <note /> </trans-unit> <trans-unit id="Not_enough_close_parens"> <source>Not enough )'s</source> <target state="translated">No hay suficientes )</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (a</note> </trans-unit> <trans-unit id="Operators"> <source>Operators</source> <target state="translated">Operadores</target> <note /> </trans-unit> <trans-unit id="Property_reference_cannot_be_updated"> <source>Property reference cannot be updated</source> <target state="translated">No se puede actualizar la referencia de propiedad</target> <note /> </trans-unit> <trans-unit id="Pull_0_up"> <source>Pull '{0}' up</source> <target state="translated">Extraer "{0}"</target> <note /> </trans-unit> <trans-unit id="Pull_0_up_to_1"> <source>Pull '{0}' up to '{1}'</source> <target state="translated">Extraer "{0}" hasta "{1}"</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_base_type"> <source>Pull members up to base type...</source> <target state="translated">Extraer miembros hasta el tipo de base...</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_new_base_class"> <source>Pull member(s) up to new base class...</source> <target state="translated">Extraer miembros a una nueva clase base...</target> <note /> </trans-unit> <trans-unit id="Quantifier_x_y_following_nothing"> <source>Quantifier {x,y} following nothing</source> <target state="translated">Cuantificador {x, y} después de nada</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: *</note> </trans-unit> <trans-unit id="Reference_to_undefined_group"> <source>reference to undefined group</source> <target state="translated">referencia al grupo no definido</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(1))</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_name_0"> <source>Reference to undefined group name {0}</source> <target state="translated">Referencia a nombre de grupo no definido {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k&lt;a&gt;. Here, {0} will be the name of the undefined group ('a')</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_number_0"> <source>Reference to undefined group number {0}</source> <target state="translated">Referencia al número de grupo indefinido {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;-1&gt;). Here, {0} will be the number of the undefined group ('1')</note> </trans-unit> <trans-unit id="Regex_all_control_characters_long"> <source>All control characters. This includes the Cc, Cf, Cs, Co, and Cn categories.</source> <target state="translated">Todos los caracteres de control. Esto incluye las categorías Cc, Cf, Cs, Co y Cn.</target> <note /> </trans-unit> <trans-unit id="Regex_all_control_characters_short"> <source>all control characters</source> <target state="translated">todos los caracteres de control</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_long"> <source>All diacritic marks. This includes the Mn, Mc, and Me categories.</source> <target state="translated">Todas las marcas diacríticas. Esto incluye las categorías Mn, Mc y Me.</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_short"> <source>all diacritic marks</source> <target state="translated">todas las marcas diacríticas</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_long"> <source>All letter characters. This includes the Lu, Ll, Lt, Lm, and Lo characters.</source> <target state="translated">Todos los caracteres de letra. Esto incluye los caracteres Lu, Ll, Lt, Lm y Lo.</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_short"> <source>all letter characters</source> <target state="translated">todos los caracteres de letra</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_long"> <source>All numbers. This includes the Nd, Nl, and No categories.</source> <target state="translated">Todos los números. Esto incluye las categorías Nd, Nl y No.</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_short"> <source>all numbers</source> <target state="translated">todos los números</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_long"> <source>All punctuation characters. This includes the Pc, Pd, Ps, Pe, Pi, Pf, and Po categories.</source> <target state="translated">Todos los caracteres de puntuación. Esto incluye las categorías Pc, Pd, Ps, Pe, Pi, Pf y Po.</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_short"> <source>all punctuation characters</source> <target state="translated">todos los caracteres de puntuación</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_long"> <source>All separator characters. This includes the Zs, Zl, and Zp categories.</source> <target state="translated">Todos los caracteres separadores. Esto incluye las categorías Zs, Zl y Zp.</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_short"> <source>all separator characters</source> <target state="translated">todos los caracteres separadores</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_long"> <source>All symbols. This includes the Sm, Sc, Sk, and So categories.</source> <target state="translated">Todos los símbolos. Esto incluye las categorías Sm, Sc, Sk y So.</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_short"> <source>all symbols</source> <target state="translated">todos los símbolos</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_long"> <source>You can use the vertical bar (|) character to match any one of a series of patterns, where the | character separates each pattern.</source> <target state="translated">Puede usar el carácter de barra vertical (|) para hacerlo coincidir con algún patrón de una serie, donde el carácter | el carácter separa cada patrón.</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_short"> <source>alternation</source> <target state="translated">alternación</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_long"> <source>The period character (.) matches any character except \n (the newline character, \u000A). If a regular expression pattern is modified by the RegexOptions.Singleline option, or if the portion of the pattern that contains the . character class is modified by the 's' option, . matches any character.</source> <target state="translated">El carácter de punto (.) coincide con cualquier carácter excepto \n (el carácter de nueva línea, \u000A). Si la opción RegexOptions.SingleLine modifica un patrón de expresión regular o si la parte del patrón que contiene el carácter . se modifica mediante la opción "s", . coincide con cualquier carácter.</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_short"> <source>any character</source> <target state="translated">cualquier carácter</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_long"> <source>Atomic groups (known in some other regular expression engines as a nonbacktracking subexpression, an atomic subexpression, or a once-only subexpression) disable backtracking. The regular expression engine will match as many characters in the input string as it can. When no further match is possible, it will not backtrack to attempt alternate pattern matches. (That is, the subexpression matches only strings that would be matched by the subexpression alone; it does not attempt to match a string based on the subexpression and any subexpressions that follow it.) This option is recommended if you know that backtracking will not succeed. Preventing the regular expression engine from performing unnecessary searching improves performance.</source> <target state="translated">Los grupos atómicos (conocidos en algunos otros motores de expresiones regulares como subexpresión sin vuelta atrás, subexpresión atómica o subexpresión de una sola vez) deshabilitan la vuelta atrás. El motor de expresiones regulares coincidirá con tantos caracteres de la cadena de entrada como pueda. Cuando no sean posibles más coincidencias, no volverá atrás para intentar coincidencias de patrones alternativas. (Es decir, la subexpresión coincide únicamente con las cadenas que coincidan solo con la subexpresión; no intenta buscar coincidencias con una cadena en función de la subexpresión y de todas las subexpresiones que la sigan). Se recomienda esta opción si sabe que la vuelta atrás no será correcta. Evitar que el motor de expresiones regulares realice búsquedas innecesarias mejora el rendimiento.</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_short"> <source>atomic group</source> <target state="translated">grupo atómico</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_long"> <source>Matches a backspace character, \u0008</source> <target state="translated">Coincide con un carácter de retroceso, \u0008</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_short"> <source>backspace character</source> <target state="translated">carácter de retroceso</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_long"> <source>A balancing group definition deletes the definition of a previously defined group and stores, in the current group, the interval between the previously defined group and the current group. 'name1' is the current group (optional), 'name2' is a previously defined group, and 'subexpression' is any valid regular expression pattern. The balancing group definition deletes the definition of name2 and stores the interval between name2 and name1 in name1. If no name2 group is defined, the match backtracks. Because deleting the last definition of name2 reveals the previous definition of name2, this construct lets you use the stack of captures for group name2 as a counter for keeping track of nested constructs such as parentheses or opening and closing brackets. The balancing group definition uses 'name2' as a stack. The beginning character of each nested construct is placed in the group and in its Group.Captures collection. When the closing character is matched, its corresponding opening character is removed from the group, and the Captures collection is decreased by one. After the opening and closing characters of all nested constructs have been matched, 'name1' is empty.</source> <target state="translated">Una definición de grupo de equilibrio elimina la definición de un grupo definido anteriormente y almacena, en el grupo actual, el intervalo entre el grupo definido anteriormente y el grupo actual. "name1" es el grupo actual (opcional), "name2" es un grupo definido anteriormente y "subexpression" es cualquier patrón de expresión regular válido. La definición del grupo de equilibrio elimina la definición de name2 y almacena el intervalo entre name2 y name1 en name1. Si no se define un grupo de name2, la coincidencia se busca con retroceso. Como la eliminación de la última definición de name2 revela la definición anterior de name2, esta construcción permite usar la pila de capturas para el grupo name2 como contador para realizar el seguimiento de las construcciones anidadas, como los paréntesis o los corchetes de apertura y cierre. La definición del grupo de equilibrio usa "name2" como una pila. El carácter inicial de cada construcción anidada se coloca en el grupo y en su colección Group.Captures. Cuando coincide el carácter de cierre, se quita el carácter de apertura correspondiente del grupo y se quita uno de la colección Captures. Una vez que se han encontrado coincidencias de los caracteres de apertura y cierre de todas las construcciones anidadas, "name1" se queda vacío.</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_short"> <source>balancing group</source> <target state="translated">grupo de equilibrio</target> <note /> </trans-unit> <trans-unit id="Regex_base_group"> <source>base-group</source> <target state="translated">grupo base</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_long"> <source>Matches a bell (alarm) character, \u0007</source> <target state="translated">Coincide con un carácter de campana (alarma), \u0007</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_short"> <source>bell character</source> <target state="translated">carácter de campana</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_long"> <source>Matches a carriage-return character, \u000D. Note that \r is not equivalent to the newline character, \n.</source> <target state="translated">Coincide con un carácter de retorno de carro, \u000D. Tenga en cuenta que \r no equivale al carácter de nueva línea, \n.</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_short"> <source>carriage-return character</source> <target state="translated">carácter de retorno de carro</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_long"> <source>Character class subtraction yields a set of characters that is the result of excluding the characters in one character class from another character class. 'base_group' is a positive or negative character group or range. The 'excluded_group' component is another positive or negative character group, or another character class subtraction expression (that is, you can nest character class subtraction expressions).</source> <target state="translated">La sustracción de la clase de caracteres produce un conjunto de caracteres que es el resultado de excluir los caracteres en una clase de caracteres de otra clase de caracteres. "base_group" es un grupo o intervalo de caracteres positivos o negativos. El componente "excluded_group" es otro grupo de caracteres positivos o negativos, u otra expresión de sustracción de clases de caracteres (es decir, puede anidar expresiones de sustracción de clases de caracteres).</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_short"> <source>character class subtraction</source> <target state="translated">sustracción de clase de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_character_group"> <source>character-group</source> <target state="translated">grupo de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_comment"> <source>comment</source> <target state="translated">comentario</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_long"> <source>This language element attempts to match one of two patterns depending on whether it can match an initial pattern. 'expression' is the initial pattern to match, 'yes' is the pattern to match if expression is matched, and 'no' is the optional pattern to match if expression is not matched.</source> <target state="translated">Este elemento del lenguaje intenta coincidir con uno de dos patrones en función de si puede coincidir con un patrón inicial. "expression" es el patrón inicial que debe coincidir, "yes" es el patrón que debe coincidir si la expresión coincide y "no" es el patrón opcional que debe coincidir si la expresión no coincide.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_short"> <source>conditional expression match</source> <target state="translated">coincidencia de expresión condicional</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_long"> <source>This language element attempts to match one of two patterns depending on whether it has matched a specified capturing group. 'name' is the name (or number) of a capturing group, 'yes' is the expression to match if 'name' (or 'number') has a match, and 'no' is the optional expression to match if it does not.</source> <target state="translated">Este elemento del lenguaje intenta coincidir con uno de dos patrones en función de si coincide con un grupo de captura especificado. "name" es el nombre (o número) de un grupo de capturas, "yes" es la expresión que debe coincidir si "name" (o "number") tiene una coincidencia y "no" es la expresión opcional para la coincidencia si no la tiene.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_short"> <source>conditional group match</source> <target state="translated">coincidencia de grupo condicional</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_long"> <source>The \G anchor specifies that a match must occur at the point where the previous match ended. When you use this anchor with the Regex.Matches or Match.NextMatch method, it ensures that all matches are contiguous.</source> <target state="translated">El delimitador \G especifica que se debe producir una coincidencia en el punto en el que finalizó la coincidencia anterior. Cuando se usa este delimitador con el método Regex.Matches o Match.NextMatch, se garantiza que todas las coincidencias sean contiguas.</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_short"> <source>contiguous matches</source> <target state="translated">coincidencias contiguas</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_long"> <source>Matches an ASCII control character, where X is the letter of the control character. For example, \cC is CTRL-C.</source> <target state="translated">Coincide con un carácter de control ASCII, donde X es la letra del carácter de control. Por ejemplo, \cC es CTRL-C.</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_short"> <source>control character</source> <target state="translated">carácter de control</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_long"> <source>\d matches any decimal digit. It is equivalent to the \p{Nd} regular expression pattern, which includes the standard decimal digits 0-9 as well as the decimal digits of a number of other character sets. If ECMAScript-compliant behavior is specified, \d is equivalent to [0-9]</source> <target state="translated">\d corresponde a cualquier dígito decimal. Equivale al patrón de expresión regular \P{Nd}, que incluye los dígitos decimales estándar 0-9, así como los dígitos decimales de otros conjuntos de caracteres. Si se especifica un comportamiento compatible con ECMAScript, \d equivale a [0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_short"> <source>decimal-digit character</source> <target state="translated">carácter de dígito decimal</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_long"> <source>A number sign (#) marks an x-mode comment, which starts at the unescaped # character at the end of the regular expression pattern and continues until the end of the line. To use this construct, you must either enable the x option (through inline options) or supply the RegexOptions.IgnorePatternWhitespace value to the option parameter when instantiating the Regex object or calling a static Regex method.</source> <target state="translated">Un signo de número (#) marca un comentario en modo x, que comienza en el carácter # sin escape al final del patrón de expresión regular y continúa hasta el final de la línea. Para usar esta construcción, debe habilitar la opción x (mediante opciones en línea) o proporcionar el valor RegexOptions.IgnorePatternWhitespace al parámetro option al crear una instancia del objeto Regex o llamar a un método estático Regex.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_short"> <source>end-of-line comment</source> <target state="translated">comentario de fin de línea</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_long"> <source>The \z anchor specifies that a match must occur at the end of the input string. Like the $ language element, \z ignores the RegexOptions.Multiline option. Unlike the \Z language element, \z does not match a \n character at the end of a string. Therefore, it can only match the last line of the input string.</source> <target state="translated">El delimitador \Z especifica que debe producirse una coincidencia al final de la cadena de entrada. Al igual que el elemento de lenguaje $, \z omite la opción RegexOptions.Multiline. A diferencia del elemento de lenguaje \Z, \z no coincide con un carácter \n al final de una cadena. Por lo tanto, solo puede coincidir con la última línea de la cadena de entrada.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_short"> <source>end of string only</source> <target state="translated">solo el fin de la cadena</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_long"> <source>The \Z anchor specifies that a match must occur at the end of the input string, or before \n at the end of the input string. It is identical to the $ anchor, except that \Z ignores the RegexOptions.Multiline option. Therefore, in a multiline string, it can only match the end of the last line, or the last line before \n. The \Z anchor matches \n but does not match \r\n (the CR/LF character combination). To match CR/LF, include \r?\Z in the regular expression pattern.</source> <target state="translated">El delimitador \Z especifica que debe producirse una coincidencia al final de la cadena de entrada o antes de \n al final de la cadena de entrada. Es idéntico al delimitador $, excepto que \Z omite la opción RegexOptions.Multiline. Por lo tanto, en una cadena de varias líneas, solo puede coincidir con el final de la última línea o con la última línea antes de \n. El delimitador \Z coincide con \n, pero no con \r\n (la combinación de caracteres CR/LF). Para hacerlo coincidir con CR/LF, incluya \r?\Z en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_short"> <source>end of string or before ending newline</source> <target state="translated">fin de cadena o antes de terminar la línea nueva</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_long"> <source>The $ anchor specifies that the preceding pattern must occur at the end of the input string, or before \n at the end of the input string. If you use $ with the RegexOptions.Multiline option, the match can also occur at the end of a line. The $ anchor matches \n but does not match \r\n (the combination of carriage return and newline characters, or CR/LF). To match the CR/LF character combination, include \r?$ in the regular expression pattern.</source> <target state="translated">El delimitador $ especifica que el patrón anterior debe aparecer al final de la cadena de entrada, o antes de \n al final de la cadena de entrada. Si usa $ con la opción RegexOptions.Multiline, la coincidencia también puede producirse al final de una línea. El limitador $ coincide con \n pero no coincide con \r\n (la combinación de retorno de carro y caracteres de nueva línea, o CR/LF). Para hacer coincidir la combinación de caracteres CR/LF, incluya \r?$ en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_short"> <source>end of string or line</source> <target state="translated">fin de cadena o línea</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_long"> <source>Matches an escape character, \u001B</source> <target state="translated">Coincide con un carácter de escape, \u001B</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_short"> <source>escape character</source> <target state="translated">carácter de escape</target> <note /> </trans-unit> <trans-unit id="Regex_excluded_group"> <source>excluded-group</source> <target state="translated">grupo excluido</target> <note /> </trans-unit> <trans-unit id="Regex_expression"> <source>expression</source> <target state="translated">expresión</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_long"> <source>Matches a form-feed character, \u000C</source> <target state="translated">Coincide con un carácter de avance de página, \u000C</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_short"> <source>form-feed character</source> <target state="translated">carácter de avance de página</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_long"> <source>This grouping construct applies or disables the specified options within a subexpression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Esta construcción de agrupación aplica o deshabilita las opciones especificadas dentro de una subexpresión. Las opciones de habilitación se especifican después del signo de interrogación y las opciones de deshabilitación después del signo menos. Las opciones permitidas son:\: i Usar la coincidencia sin distinción de mayúsculas y minúsculas. m Usar el modo de varias líneas, donde ^ y $ coinciden con el principio y el final de cada línea (en lugar del principio y del final de la cadena de entrada). s Usar el modo de una sola línea, donde el punto (.) coincide con todos los caracteres (en lugar de todos los caracteres excepto \n). n No capturar grupos sin nombre. Las únicas capturas válidas son explícitamente grupos con nombre o numerados con el formato (? &lt;name&gt; subexpresión). x Excluir el espacio en blanco sin escape del patrón y habilitar los comentarios después de un signo de número (#).</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_short"> <source>group options</source> <target state="translated">opciones de grupo</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_long"> <source>Matches an ASCII character, where ## is a two-digit hexadecimal character code.</source> <target state="translated">Coincide con un carácter ASCII, donde ## es un código de carácter hexadecimal de dos dígitos.</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_short"> <source>hexadecimal escape</source> <target state="translated">escape hexadecimal</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_long"> <source>The (?# comment) construct lets you include an inline comment in a regular expression. The regular expression engine does not use any part of the comment in pattern matching, although the comment is included in the string that is returned by the Regex.ToString method. The comment ends at the first closing parenthesis.</source> <target state="translated">La construcción (comentario ?#) permite incluir un comentario alineado en una expresión regular. El motor de expresiones regulares no usa ninguna parte del comentario en la coincidencia de patrones, aunque el comentario está incluido en la cadena devuelta por el método Regex.ToString. El comentario termina en el primer paréntesis de cierre.</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_short"> <source>inline comment</source> <target state="translated">comentario insertado</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_long"> <source>Enables or disables specific pattern matching options for the remainder of a regular expression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Habilita o deshabilita las opciones de coincidencia de patrones específicas para el resto de una expresión regular. Las opciones de habilitación se especifican después del signo de interrogación y las opciones de deshabilitación después del signo menos. Las opciones permitidas son: i Usar la coincidencia sin distinción de mayúsculas y minúsculas. m Usar el modo de varias líneas, donde ^ y $ coinciden con el principio y el final de cada línea (en lugar del principio y del final de la cadena de entrada). s Usar el modo de una sola línea, donde el punto (.) coincide con todos los caracteres (en lugar de todos los caracteres excepto \n). n No capturar grupos sin nombre. Las únicas capturas válidas son explícitamente o grupos con nombre o número con el formato (? &lt;name&gt; subexpresión). x Excluir el espacio en blanco sin escape del patrón y habilitar los comentarios después de un signo de número (#).</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_short"> <source>inline options</source> <target state="translated">opciones insertadas</target> <note /> </trans-unit> <trans-unit id="Regex_issue_0"> <source>Regex issue: {0}</source> <target state="translated">Problema de Regex: {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. {0} will be the actual text of one of the above Regular Expression errors.</note> </trans-unit> <trans-unit id="Regex_letter_lowercase"> <source>letter, lowercase</source> <target state="translated">letra, minúscula</target> <note /> </trans-unit> <trans-unit id="Regex_letter_modifier"> <source>letter, modifier</source> <target state="translated">letra, modificador</target> <note /> </trans-unit> <trans-unit id="Regex_letter_other"> <source>letter, other</source> <target state="translated">letra, otro</target> <note /> </trans-unit> <trans-unit id="Regex_letter_titlecase"> <source>letter, titlecase</source> <target state="translated">letra, tipo título</target> <note /> </trans-unit> <trans-unit id="Regex_letter_uppercase"> <source>letter, uppercase</source> <target state="translated">letra, mayúscula</target> <note /> </trans-unit> <trans-unit id="Regex_mark_enclosing"> <source>mark, enclosing</source> <target state="translated">marca, de cierre</target> <note /> </trans-unit> <trans-unit id="Regex_mark_nonspacing"> <source>mark, nonspacing</source> <target state="translated">marca, sin espaciado</target> <note /> </trans-unit> <trans-unit id="Regex_mark_spacing_combining"> <source>mark, spacing combining</source> <target state="translated">marca, espaciado combinable</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_long"> <source>The {n,}? quantifier matches the preceding element at least n times, where n is any integer, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,}</source> <target state="translated">El cuantificador {n,}? coincide con el elemento anterior al menos n veces, donde n es cualquier entero, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo {n,}</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">coincidir al menos "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_long"> <source>The {n,} quantifier matches the preceding element at least n times, where n is any integer. {n,} is a greedy quantifier whose lazy equivalent is {n,}?</source> <target state="translated">El cuantificador {n,} coincide con el elemento anterior al menos n veces, donde n es un entero. {n,} es un cuantificador expansivo cuyo equivalente diferido es {n,}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_short"> <source>match at least 'n' times</source> <target state="translated">coincidir al menos "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_long"> <source>The {n,m}? quantifier matches the preceding element between n and m times, where n and m are integers, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,m}</source> <target state="translated">El cuantificador {n,m}? coincide con el elemento anterior entre n y m veces, donde n y m son enteros, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo {n,m}</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">coincidir al menos "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_long"> <source>The {n,m} quantifier matches the preceding element at least n times, but no more than m times, where n and m are integers. {n,m} is a greedy quantifier whose lazy equivalent is {n,m}?</source> <target state="translated">El cuantificador {n, m} coincide con el elemento anterior n veces como mínimo, pero no más de m veces, donde n y m son enteros. {n,m} es un cuantificador expansivo cuyo equivalente diferido es {n,m}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_short"> <source>match between 'm' and 'n' times</source> <target state="translated">coincidir entre "m" y "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_long"> <source>The {n}? quantifier matches the preceding element exactly n times, where n is any integer. It is the lazy counterpart of the greedy quantifier {n}+</source> <target state="translated">El cuantificador {n}? coincide exactamente n veces con el elemento anterior, donde n es un entero. Es el equivalente diferido del cuantificador expansivo {n}+</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_short"> <source>match exactly 'n' times (lazy)</source> <target state="translated">coincidir exactamente "n" veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_long"> <source>The {n} quantifier matches the preceding element exactly n times, where n is any integer. {n} is a greedy quantifier whose lazy equivalent is {n}?</source> <target state="translated">El cuantificador {n} coincide exactamente n veces con el elemento anterior, donde n es un entero. {n} es un cuantificador expansivo cuyo equivalente diferido es {n}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_short"> <source>match exactly 'n' times</source> <target state="translated">coincidir exactamente "n" veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_long"> <source>The +? quantifier matches the preceding element one or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier +</source> <target state="translated">El cuantificador +? coincide con el elemento anterior cero o más veces, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo +</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_short"> <source>match one or more times (lazy)</source> <target state="translated">coincidir una o varias veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_long"> <source>The + quantifier matches the preceding element one or more times. It is equivalent to the {1,} quantifier. + is a greedy quantifier whose lazy equivalent is +?.</source> <target state="translated">El cuantificador + coincide con el elemento anterior una o más veces. Es equivalente al cuantificador {1,}. + es un cuantificador expansivo cuyo equivalente diferido es +?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_short"> <source>match one or more times</source> <target state="translated">coincidir una o varias veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_long"> <source>The *? quantifier matches the preceding element zero or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier *</source> <target state="translated">El cuantificador *? coincide con el elemento anterior cero o más veces, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo *</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_short"> <source>match zero or more times (lazy)</source> <target state="translated">coincidir cero o más veces (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_long"> <source>The * quantifier matches the preceding element zero or more times. It is equivalent to the {0,} quantifier. * is a greedy quantifier whose lazy equivalent is *?.</source> <target state="translated">El cuantificador * coincide con el elemento anterior cero o más veces. Es equivalente al cuantificador {0,}. * es un cuantificador expansivo cuyo equivalente diferido es *?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_short"> <source>match zero or more times</source> <target state="translated">coincidir cero o más veces</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_long"> <source>The ?? quantifier matches the preceding element zero or one time, but as few times as possible. It is the lazy counterpart of the greedy quantifier ?</source> <target state="translated">El cuantificador ?? coincide con el elemento anterior cero veces o una, pero el menor número de veces que sea posible. Es el homólogo diferido del cuantificador expansivo ?</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_short"> <source>match zero or one time (lazy)</source> <target state="translated">coincidir cero veces o una vez (diferido)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_long"> <source>The ? quantifier matches the preceding element zero or one time. It is equivalent to the {0,1} quantifier. ? is a greedy quantifier whose lazy equivalent is ??.</source> <target state="translated">El cuantificador ? coincide con el elemento anterior cero veces o una. Es equivalente al cuantificador {0,1}. ? es un cuantificador expansivo cuyo equivalente diferido es ??.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_short"> <source>match zero or one time</source> <target state="translated">coincidir cero veces o una vez</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_long"> <source>This grouping construct captures a matched 'subexpression', where 'subexpression' is any valid regular expression pattern. Captures that use parentheses are numbered automatically from left to right based on the order of the opening parentheses in the regular expression, starting from one. The capture that is numbered zero is the text matched by the entire regular expression pattern.</source> <target state="translated">Esta construcción de agrupación captura una "subexpresión" coincidente, donde "subexpresión" es cualquier patrón de expresión regular válido. Las capturas que usan paréntesis se numeran automáticamente de izquierda a derecha según el orden de los paréntesis de apertura en la expresión regular, a partir de uno. La captura con número cero es el texto coincidente con el patrón de expresión regular completo.</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_short"> <source>matched subexpression</source> <target state="translated">subexpresión coincidente</target> <note /> </trans-unit> <trans-unit id="Regex_name"> <source>name</source> <target state="translated">nombre</target> <note /> </trans-unit> <trans-unit id="Regex_name1"> <source>name1</source> <target state="translated">name1</target> <note /> </trans-unit> <trans-unit id="Regex_name2"> <source>name2</source> <target state="translated">name2</target> <note /> </trans-unit> <trans-unit id="Regex_name_or_number"> <source>name-or-number</source> <target state="translated">nombre o número</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_long"> <source>A named or numbered backreference. 'name' is the name of a capturing group defined in the regular expression pattern.</source> <target state="translated">Una referencia inversa con nombre o numerada. "name" es el nombre de un grupo de captura definido en el patrón de expresión regular.</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_short"> <source>named backreference</source> <target state="translated">referencia inversa con nombre</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_long"> <source>Captures a matched subexpression and lets you access it by name or by number. 'name' is a valid group name, and 'subexpression' is any valid regular expression pattern. 'name' must not contain any punctuation characters and cannot begin with a number. If the RegexOptions parameter of a regular expression pattern matching method includes the RegexOptions.ExplicitCapture flag, or if the n option is applied to this subexpression, the only way to capture a subexpression is to explicitly name capturing groups.</source> <target state="translated">Captura una subexpresión coincidente y le permite acceder a ella por el nombre o el número. "name" es un nombre de grupo válido y "subexpression" es cualquier patrón de expresión regular válido. "name" no debe contener ningún carácter de puntuación y no puede comenzar con un número. Si el parámetro RegexOptions de un método de coincidencia de patrones de expresión regular incluye la marca RegexOptions.ExplicitCapture, o si la opción n se aplica a esta subexpresión, la única forma de capturar una subexpresión consiste en asignar un nombre explícito a los grupos de captura.</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_short"> <source>named matched subexpression</source> <target state="translated">subexpresión coincidente con nombre</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_long"> <source>A negative character group specifies a list of characters that must not appear in an input string for a match to occur. The list of characters are specified individually. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un grupo de caracteres negativos especifica una lista de caracteres que no deben aparecer en una cadena de entrada para que se produzca una correspondencia. La lista de caracteres se especifica individualmente. Se pueden concatenar dos o más intervalos de caracteres. Por ejemplo, para especificar el intervalo de dígitos decimales de "0" a "9", el intervalo de letras minúsculas de "a" a "f" y el intervalo de letras mayúsculas de "A" a "F", utilice [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_short"> <source>negative character group</source> <target state="translated">grupo de caracteres negativos</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_long"> <source>A negative character range specifies a list of characters that must not appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range, and 'lastCharacter' is the character that ends the range. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un intervalo de caracteres negativos especifica una lista de caracteres que no deben aparecer en una cadena de entrada para que se produzca una correspondencia. "firstCharacter" es el carácter con el que comienza el intervalo y "lastCharacter" es el carácter con el que finaliza el intervalo. Se pueden concatenar dos o más intervalos de caracteres. Por ejemplo, para especificar el intervalo de dígitos decimales de "0" a "9", el intervalo de letras minúsculas de "a" a "f" y el intervalo de letras mayúsculas de "A" a "F", utilice [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_short"> <source>negative character range</source> <target state="translated">intervalo de caracteres negativos</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_long"> <source>The regular expression construct \P{ name } matches any character that does not belong to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construcción de expresión regular \P{ name } coincide con cualquier carácter que no pertenezca a una categoría general o bloque con nombre de Unicode, donde el nombre es la abreviatura de la categoría o el nombre del bloque con nombre.</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_short"> <source>negative unicode category</source> <target state="translated">categoría de Unicode negativa</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_long"> <source>Matches a new-line character, \u000A</source> <target state="translated">Coincide con un carácter de nueva línea, \u000A</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_short"> <source>new-line character</source> <target state="translated">carácter de nueva línea</target> <note /> </trans-unit> <trans-unit id="Regex_no"> <source>no</source> <target state="translated">no</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_long"> <source>\D matches any non-digit character. It is equivalent to the \P{Nd} regular expression pattern. If ECMAScript-compliant behavior is specified, \D is equivalent to [^0-9]</source> <target state="translated">\D coincide con cualquier carácter que no sea un dígito. Equivalente al patrón de expresión regular \P{Nd}. Si se especifica un comportamiento compatible con ECMAScript, \D equivale a [^0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_short"> <source>non-digit character</source> <target state="translated">carácter que no es un dígito</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_long"> <source>\S matches any non-white-space character. It is equivalent to the [^\f\n\r\t\v\x85\p{Z}] regular expression pattern, or the opposite of the regular expression pattern that is equivalent to \s, which matches white-space characters. If ECMAScript-compliant behavior is specified, \S is equivalent to [^ \f\n\r\t\v]</source> <target state="translated">\S coincide con cualquier carácter que no sea un espacio en blanco. Equivalente al patrón de expresión regular [^\f\n\r\t\v\x85\p{Z}], o el contrario del modelo de expresión regular equivalente a \s, que corresponde a los caracteres de espacio en blanco. Si se especifica un comportamiento compatible con ECMAScript, \S equivale a [^ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_short"> <source>non-white-space character</source> <target state="translated">carácter que no es un espacio en blanco</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_long"> <source>The \B anchor specifies that the match must not occur on a word boundary. It is the opposite of the \b anchor.</source> <target state="translated">El delimitador \B especifica que la coincidencia no se debe producir en un límite de palabras. Es el opuesto del delimitador \b.</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_short"> <source>non-word boundary</source> <target state="translated">límite que no es una palabra</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_character_long"> <source>\W matches any non-word character. It matches any character except for those in the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \W is equivalent to [^a-zA-Z_0-9]</source> <target state="translated">\W coincide con cualquier carácter que no sea una palabra. Coincide con cualquier carácter excepto los de las siguientes categorías Unicode: Ll Letra, minúscula Lu Letra, mayúscula Lt Letra, tipo título Lo Letra, otros Lm Letra, modificador Mn Marca, no espaciado Nd Número, dígito decimal Pc Puntuación, conector Si se especifica un comportamiento compatible con ECMAScript, \W equivale a [^a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized. </note> </trans-unit> <trans-unit id="Regex_non_word_character_short"> <source>non-word character</source> <target state="translated">carácter que no es una palabra</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_long"> <source>This construct does not capture the substring that is matched by a subexpression: The noncapturing group construct is typically used when a quantifier is applied to a group, but the substrings captured by the group are of no interest. If a regular expression includes nested grouping constructs, an outer noncapturing group construct does not apply to the inner nested group constructs.</source> <target state="translated">Esta construcción no captura la subcadena que coincide con una subexpresión: La construcción de grupo que no captura se usa normalmente cuando un cuantificador se aplica a un grupo, pero las subcadenas capturadas por el grupo no tienen ningún interés. Si una expresión regular incluye construcciones de agrupación anidadas, una construcción de grupo que no captura externa no se aplica a las construcciones de grupo anidadas internas.</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_short"> <source>noncapturing group</source> <target state="translated">Grupo que no captura</target> <note /> </trans-unit> <trans-unit id="Regex_number_decimal_digit"> <source>number, decimal digit</source> <target state="translated">número, dígito decimal</target> <note /> </trans-unit> <trans-unit id="Regex_number_letter"> <source>number, letter</source> <target state="translated">número, letra</target> <note /> </trans-unit> <trans-unit id="Regex_number_other"> <source>number, other</source> <target state="translated">número, otro</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_long"> <source>A numbered backreference, where 'number' is the ordinal position of the capturing group in the regular expression. For example, \4 matches the contents of the fourth capturing group. There is an ambiguity between octal escape codes (such as \16) and \number backreferences that use the same notation. If the ambiguity is a problem, you can use the \k&lt;name&gt; notation, which is unambiguous and cannot be confused with octal character codes. Similarly, hexadecimal codes such as \xdd are unambiguous and cannot be confused with backreferences.</source> <target state="translated">Una referencia inversa numerada, donde "number" es la posición ordinal del grupo de captura en la expresión regular. Por ejemplo, \4 coincide con el contenido del cuarto grupo de captura. Existe una ambigüedad entre los códigos de escape octales (como \16) y las referencias inversas de \number que usan la misma notación. Si la ambigüedad es un problema, puede utilizar la notación \k&lt;name&gt;, que no es ambigua y no se puede confundir con códigos de caracteres octales. Del mismo modo, los códigos hexadecimales como \xdd son inequívocos y no se pueden confundir con referencias inversas.</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_short"> <source>numbered backreference</source> <target state="translated">referencia inversa numerada</target> <note /> </trans-unit> <trans-unit id="Regex_other_control"> <source>other, control</source> <target state="translated">otro, control</target> <note /> </trans-unit> <trans-unit id="Regex_other_format"> <source>other, format</source> <target state="translated">otro, formato</target> <note /> </trans-unit> <trans-unit id="Regex_other_not_assigned"> <source>other, not assigned</source> <target state="translated">otro, no asignado</target> <note /> </trans-unit> <trans-unit id="Regex_other_private_use"> <source>other, private use</source> <target state="translated">otro, uso privado</target> <note /> </trans-unit> <trans-unit id="Regex_other_surrogate"> <source>other, surrogate</source> <target state="translated">otro, suplente</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_long"> <source>A positive character group specifies a list of characters, any one of which may appear in an input string for a match to occur.</source> <target state="translated">Un grupo de caracteres positivos especifica una lista de caracteres, cualquiera de los cuales puede aparecer en una cadena de entrada para que se produzca una coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_short"> <source>positive character group</source> <target state="translated">grupo de caracteres positivos</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_long"> <source>A positive character range specifies a range of characters, any one of which may appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range and 'lastCharacter' is the character that ends the range. </source> <target state="translated">Un intervalo de caracteres positivo especifica un intervalo de caracteres, cualquiera de los cuales puede aparecer en una cadena de entrada para que se produzca una coincidencia. "firstCharacter" es el carácter con el que comienza el intervalo y "lastCharacter" es el carácter cpm el que finaliza el intervalo. </target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_short"> <source>positive character range</source> <target state="translated">intervalo de caracteres positivos</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_close"> <source>punctuation, close</source> <target state="translated">puntuación, cerrar</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_connector"> <source>punctuation, connector</source> <target state="translated">puntuación, conector</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_dash"> <source>punctuation, dash</source> <target state="translated">puntuación, guion</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_final_quote"> <source>punctuation, final quote</source> <target state="translated">puntuación, comilla final</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_initial_quote"> <source>punctuation, initial quote</source> <target state="translated">puntuación, comilla inicial</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_open"> <source>punctuation, open</source> <target state="translated">puntuación, abrir</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_other"> <source>punctuation, other</source> <target state="translated">puntuación, otro</target> <note /> </trans-unit> <trans-unit id="Regex_separator_line"> <source>separator, line</source> <target state="translated">separador, línea</target> <note /> </trans-unit> <trans-unit id="Regex_separator_paragraph"> <source>separator, paragraph</source> <target state="translated">separador, párrafo</target> <note /> </trans-unit> <trans-unit id="Regex_separator_space"> <source>separator, space</source> <target state="translated">separador, espacio</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_long"> <source>The \A anchor specifies that a match must occur at the beginning of the input string. It is identical to the ^ anchor, except that \A ignores the RegexOptions.Multiline option. Therefore, it can only match the start of the first line in a multiline input string.</source> <target state="translated">El delimitador \A especifica que debe producirse una coincidencia al principio de la cadena de entrada. Es idéntico al delimitador ^, excepto que \A omite la opción RegexOptions.Multiline. Por lo tanto, solo puede coincidir con el inicio de la primera línea en una cadena de entrada de varias líneas.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_short"> <source>start of string only</source> <target state="translated">solo el inicio de la cadena</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_long"> <source>The ^ anchor specifies that the following pattern must begin at the first character position of the string. If you use ^ with the RegexOptions.Multiline option, the match must occur at the beginning of each line.</source> <target state="translated">El delimitador ^ especifica que el siguiente patrón debe comenzar en la primera posición de carácter de la cadena. Si usa ^ con la opción RegexOptions.Multiline, la coincidencia debe producirse al principio de cada línea.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_short"> <source>start of string or line</source> <target state="translated">Inicio de cadena o línea</target> <note /> </trans-unit> <trans-unit id="Regex_subexpression"> <source>subexpression</source> <target state="translated">subexpresión</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_currency"> <source>symbol, currency</source> <target state="translated">símbolo, moneda</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_math"> <source>symbol, math</source> <target state="translated">símbolo, matemático</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_modifier"> <source>symbol, modifier</source> <target state="translated">símbolo, modificador</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_other"> <source>symbol, other</source> <target state="translated">símbolo, otro</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_long"> <source>Matches a tab character, \u0009</source> <target state="translated">Coincide con un carácter de tabulación, \u0009</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_short"> <source>tab character</source> <target state="translated">carácter de tabulación</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_long"> <source>The regular expression construct \p{ name } matches any character that belongs to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">El constructor de expresión regular \p{ name } coincide con cualquier carácter que pertenezca a una categoría general o bloque con nombre de Unicode, donde el nombre es la abreviatura de la categoría o el nombre del bloque con nombre.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_short"> <source>unicode category</source> <target state="translated">categoría unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_long"> <source>Matches a UTF-16 code unit whose value is #### hexadecimal.</source> <target state="translated">Coincide con una unidad de código UTF-16 cuyo valor es #### hexadecimal.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_short"> <source>unicode escape</source> <target state="translated">escape unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_general_category_0"> <source>Unicode General Category: {0}</source> <target state="translated">Categoría General de Unicode: {0}</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_long"> <source>Matches a vertical-tab character, \u000B</source> <target state="translated">Coincide con un carácter de tabulación vertical, \u000B</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_short"> <source>vertical-tab character</source> <target state="translated">carácter de tabulación vertical</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_long"> <source>\s matches any white-space character. It is equivalent to the following escape sequences and Unicode categories: \f The form feed character, \u000C \n The newline character, \u000A \r The carriage return character, \u000D \t The tab character, \u0009 \v The vertical tab character, \u000B \x85 The ellipsis or NEXT LINE (NEL) character (…), \u0085 \p{Z} Matches any separator character If ECMAScript-compliant behavior is specified, \s is equivalent to [ \f\n\r\t\v]</source> <target state="translated">\s coincide con cualquier carácter de espacio en blanco. Equivale a las siguientes secuencias de escape y categorías Unicode: \f El carácter de avance de página, \u000C \n El carácter de nueva línea, \u000A \r El carácter de retorno de carro, \u000D \t El carácter de tabulación, \u0009 \v El carácter de tabulación vertical, \u000B \x85 El carácter de puntos suspensivos o NEXT LINE (NEL) (...), \u0085 \p{Z} Corresponde a cualquier carácter separador Si se especifica un comportamiento compatible con ECMAScript, \s equivale a [ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_short"> <source>white-space character</source> <target state="translated">carácter de espacio en blanco</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_long"> <source>The \b anchor specifies that the match must occur on a boundary between a word character (the \w language element) and a non-word character (the \W language element). Word characters consist of alphanumeric characters and underscores; a non-word character is any character that is not alphanumeric or an underscore. The match may also occur on a word boundary at the beginning or end of the string. The \b anchor is frequently used to ensure that a subexpression matches an entire word instead of just the beginning or end of a word.</source> <target state="translated">El delimitador \b especifica que la coincidencia debe producirse en un límite entre un carácter de palabra (el elemento de lenguaje \w) y un carácter que no sea de palabra (el elemento del lenguaje \W). Los caracteres de palabra se componen de caracteres alfanuméricos y de subrayado; un carácter que no es de palabra es cualquier carácter que no sea alfanumérico o de subrayado. La coincidencia también puede producirse en un límite de palabra al principio o al final de la cadena. El delimitador \b se usa con frecuencia para garantizar que una subexpresión coincide con una palabra completa en lugar de solo con el principio o el final de una palabra.</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_short"> <source>word boundary</source> <target state="translated">límite de palabra</target> <note /> </trans-unit> <trans-unit id="Regex_word_character_long"> <source>\w matches any word character. A word character is a member of any of the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \w is equivalent to [a-zA-Z_0-9]</source> <target state="translated">\w coincide con cualquier carácter de palabra. Un carácter de palabra forma parte de cualquiera de las siguientes categorías Unicode: Ll Letra, minúscula Lu Letra, mayúscula Lt Letra, tipo título Lo Letra, otros Lm Letra, modificador Mn Marca, no espaciado Nd Número, dígito decimal Pc Puntuación, conector Si se especifica un comportamiento compatible con ECMAScript, \w equivale a [a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized.</note> </trans-unit> <trans-unit id="Regex_word_character_short"> <source>word character</source> <target state="translated">carácter de palabra</target> <note /> </trans-unit> <trans-unit id="Regex_yes"> <source>yes</source> <target state="translated">sí</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_long"> <source>A zero-width negative lookahead assertion, where for the match to be successful, the input string must not match the regular expression pattern in subexpression. The matched string is not included in the match result. A zero-width negative lookahead assertion is typically used either at the beginning or at the end of a regular expression. At the beginning of a regular expression, it can define a specific pattern that should not be matched when the beginning of the regular expression defines a similar but more general pattern to be matched. In this case, it is often used to limit backtracking. At the end of a regular expression, it can define a subexpression that cannot occur at the end of a match.</source> <target state="translated">Una aserción de búsqueda anticipada (lookahead) negativa de ancho cero, donde para que la coincidencia sea correcta, la cadena de entrada no debe coincidir con el patrón de expresión regular en la subexpresión. La cadena coincidente no se incluye en el resultado de la coincidencia. Una aserción de búsqueda anticipada (lookahead) negativa de ancho cero se utiliza normalmente al principio o al final de una expresión regular. Al comienzo de una expresión regular, puede definir un patrón específico que no debe coincidir cuando el comienzo de la expresión regular define un patrón similar pero más general para la coincidencia. En este caso, se suele usar para limitar el seguimiento con retroceso. Al final de una expresión regular, puede definir una subexpresión que no se puede producir al final de una coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_short"> <source>zero-width negative lookahead assertion</source> <target state="translated">aserción de búsqueda anticipada (lookahead) negativa de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_long"> <source>A zero-width negative lookbehind assertion, where for a match to be successful, 'subexpression' must not occur at the input string to the left of the current position. Any substring that does not match 'subexpression' is not included in the match result. Zero-width negative lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define precludes a match in the string that follows. They are also used to limit backtracking when the last character or characters in a captured group must not be one or more of the characters that match that group's regular expression pattern.</source> <target state="translated">Una aserción de búsqueda retrasada (lookbehind) negativa de ancho cero, donde para que una coincidencia sea correcta, "subexpresión" no se debe producir en la cadena de entrada a la izquierda de la posición actual. Cualquier subcadena que no coincida con "subexpresión" no se incluye en el resultado de la coincidencia. Las aserciones de búsqueda retrasada (lookbehind) negativas de ancho cero se usan normalmente al principio de las expresiones regulares. El patrón que definen excluye una coincidencia en la cadena que aparece a continuación. También se usan para limitar el seguimiento con retroceso cuando el último o los últimos caracteres de un grupo capturado no deban ser uno o varios de los caracteres que coinciden con el patrón de expresión regular de ese grupo.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_short"> <source>zero-width negative lookbehind assertion</source> <target state="translated">aserción de búsqueda retrasada (lookbehind) negativa de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_long"> <source>A zero-width positive lookahead assertion, where for a match to be successful, the input string must match the regular expression pattern in 'subexpression'. The matched substring is not included in the match result. A zero-width positive lookahead assertion does not backtrack. Typically, a zero-width positive lookahead assertion is found at the end of a regular expression pattern. It defines a substring that must be found at the end of a string for a match to occur but that should not be included in the match. It is also useful for preventing excessive backtracking. You can use a zero-width positive lookahead assertion to ensure that a particular captured group begins with text that matches a subset of the pattern defined for that captured group.</source> <target state="translated">Una aserción de búsqueda anticipada (lookahead) positiva de ancho cero, donde para que una coincidencia sea correcta, la cadena de entrada debe coincidir con el modelo de expresión regular en "subexpresión". La subcadena coincidente no está incluida en el resultado de la coincidencia. Una aserción de búsqueda anticipada (lookahead) positiva de ancho cero no tiene seguimiento con retroceso. Normalmente, una aserción de búsqueda anticipada (lookahead) positiva de ancho cero se encuentra al final de un patrón de expresión regular. Define una subcadena que debe encontrarse al final de una cadena para que se produzca una coincidencia, pero que no debe incluirse en la coincidencia. También resulta útil para evitar un seguimiento con retroceso excesivo. Puede usar una aserción de búsqueda anticipada (lookahead) positiva de ancho cero para asegurarse de que un grupo capturado en particular empiece con texto que coincida con un subconjunto del patrón definido para ese grupo capturado.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_short"> <source>zero-width positive lookahead assertion</source> <target state="translated">aserción de búsqueda anticipada (lookahead) positiva de ancho cero</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_long"> <source>A zero-width positive lookbehind assertion, where for a match to be successful, 'subexpression' must occur at the input string to the left of the current position. 'subexpression' is not included in the match result. A zero-width positive lookbehind assertion does not backtrack. Zero-width positive lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define is a precondition for a match, although it is not a part of the match result.</source> <target state="translated">Una aserción de búsqueda retrasada (lookbehind) positiva de ancho cero, donde para que una coincidencia sea correcta, "subexpresión" debe aparecer en la cadena de entrada a la izquierda de la posición actual. "subexpresión" no se incluye en el resultado de la coincidencia. Una aserción de búsqueda retrasada (lookbehind) positiva de ancho cero no tiene seguimiento con retroceso. Las aserciones de búsqueda retrasada (lookbehind) positivas de ancho cero se usan normalmente al principio de las expresiones regulares. El patrón que definen es una condición previa para una coincidencia, aunque no forma parte del resultado de la coincidencia.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_short"> <source>zero-width positive lookbehind assertion</source> <target state="translated">aserción de búsqueda retrasada (lookbehind) positiva de ancho cero</target> <note /> </trans-unit> <trans-unit id="Related_method_signatures_found_in_metadata_will_not_be_updated"> <source>Related method signatures found in metadata will not be updated.</source> <target state="translated">Las signaturas de método relacionadas encontradas en los metadatos no se actualizarán.</target> <note /> </trans-unit> <trans-unit id="Removal_of_document_not_supported"> <source>Removal of document not supported</source> <target state="translated">No se admite la eliminación del documento</target> <note /> </trans-unit> <trans-unit id="Remove_async_modifier"> <source>Remove 'async' modifier</source> <target state="translated">Quitar el modificador "async"</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_casts"> <source>Remove unnecessary casts</source> <target state="translated">Quitar conversiones innecesarias</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variables"> <source>Remove unused variables</source> <target state="translated">Quitar variables no utilizadas</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_accessed_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_contains_an_active_statement_requires_restarting_the_application"> <source>Removing {0} that contains an active statement requires restarting the application.</source> <target state="new">Removing {0} that contains an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application"> <source>Renaming {0} requires restarting the application.</source> <target state="new">Renaming {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Renaming {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Renaming {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Renaming_a_captured_variable_from_0_to_1_requires_restarting_the_application"> <source>Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</source> <target state="new">Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_1"> <source>Replace '{0}' with '{1}' </source> <target state="translated">Reemplazar "{0}" por "{1}"</target> <note /> </trans-unit> <trans-unit id="Resolve_conflict_markers"> <source>Resolve conflict markers</source> <target state="translated">Resolver los marcadores de conflicto</target> <note /> </trans-unit> <trans-unit id="RudeEdit"> <source>Rude edit</source> <target state="translated">Edición superficial</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_token"> <source>Selection does not contain a valid token.</source> <target state="new">Selection does not contain a valid token.</target> <note /> </trans-unit> <trans-unit id="Selection_not_contained_inside_a_type"> <source>Selection not contained inside a type.</source> <target state="new">Selection not contained inside a type.</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Ordenar modificadores de accesibilidad</target> <note /> </trans-unit> <trans-unit id="Split_into_consecutive_0_statements"> <source>Split into consecutive '{0}' statements</source> <target state="translated">Dividir en instrucciones "{0}" consecutivas</target> <note /> </trans-unit> <trans-unit id="Split_into_nested_0_statements"> <source>Split into nested '{0}' statements</source> <target state="translated">Dividir en instrucciones "{0}" anidadas</target> <note /> </trans-unit> <trans-unit id="StreamMustSupportReadAndSeek"> <source>Stream must support read and seek operations.</source> <target state="translated">La secuencia debe admitir las operaciones de lectura y búsqueda.</target> <note /> </trans-unit> <trans-unit id="Suppress_0"> <source>Suppress {0}</source> <target state="translated">Suprimir {0}</target> <note /> </trans-unit> <trans-unit id="Switching_between_lambda_and_local_function_requires_restarting_the_application"> <source>Switching between a lambda and a local function requires restarting the application.</source> <target state="new">Switching between a lambda and a local function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="TODO_colon_free_unmanaged_resources_unmanaged_objects_and_override_finalizer"> <source>TODO: free unmanaged resources (unmanaged objects) and override finalizer</source> <target state="translated">TODO: liberar los recursos no administrados (objetos no administrados) y reemplazar el finalizador</target> <note /> </trans-unit> <trans-unit id="TODO_colon_override_finalizer_only_if_0_has_code_to_free_unmanaged_resources"> <source>TODO: override finalizer only if '{0}' has code to free unmanaged resources</source> <target state="translated">TODO: reemplazar el finalizador solo si "{0}" tiene código para liberar los recursos no administrados</target> <note /> </trans-unit> <trans-unit id="Target_type_matches"> <source>Target type matches</source> <target state="translated">El tipo de destino coincide con</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_containing_type_1_references_NET_Framework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado "{0}" que contiene el tipo "{1}" hace referencia a .NET Framework, lo cual no se admite.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_a_local_function_call_without_its_declaration"> <source>The selection contains a local function call without its declaration.</source> <target state="translated">La selección contiene una llamada a una función local sin la declaración correspondiente.</target> <note /> </trans-unit> <trans-unit id="Too_many_bars_in_conditional_grouping"> <source>Too many | in (?()|)</source> <target state="translated">Demasiados | en (?()|)</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0)a|b|)</note> </trans-unit> <trans-unit id="Too_many_close_parens"> <source>Too many )'s</source> <target state="translated">Demasiados )</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: )</note> </trans-unit> <trans-unit id="UnableToReadSourceFileOrPdb"> <source>Unable to read source file '{0}' or the PDB built for the containing project. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">No se puede leer el archivo de código fuente "{0}" o el PDB compilado para el proyecto que lo contiene. Los cambios realizados en este archivo durante la depuración no se aplicarán hasta que su contenido coincida con el del código fuente compilado.</target> <note /> </trans-unit> <trans-unit id="Unknown_property"> <source>Unknown property</source> <target state="translated">Propiedad desconocida</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{}</note> </trans-unit> <trans-unit id="Unknown_property_0"> <source>Unknown property '{0}'</source> <target state="translated">Propiedad desconocida '{0}'</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{xxx}. Here, {0} will be the name of the unknown property ('xxx')</note> </trans-unit> <trans-unit id="Unrecognized_control_character"> <source>Unrecognized control character</source> <target state="translated">Carácter de control desconocido</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [\c]</note> </trans-unit> <trans-unit id="Unrecognized_escape_sequence_0"> <source>Unrecognized escape sequence \{0}</source> <target state="translated">Secuencia de escape no reconocida \{0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \m. Here, {0} will be the unrecognized character ('m')</note> </trans-unit> <trans-unit id="Unrecognized_grouping_construct"> <source>Unrecognized grouping construct</source> <target state="translated">Construcción de agrupación no reconocida</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;</note> </trans-unit> <trans-unit id="Unterminated_character_class_set"> <source>Unterminated [] set</source> <target state="translated">Conjunto [] sin terminar</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [</note> </trans-unit> <trans-unit id="Unterminated_regex_comment"> <source>Unterminated (?#...) comment</source> <target state="translated">Comentario (?#...) sin terminar</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?#</note> </trans-unit> <trans-unit id="Unwrap_all_arguments"> <source>Unwrap all arguments</source> <target state="translated">Desajustar todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Unwrap_all_parameters"> <source>Unwrap all parameters</source> <target state="translated">Desajustar todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_arguments"> <source>Unwrap and indent all arguments</source> <target state="translated">Desajustar todos los argumentos y aplicarles sangría</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_parameters"> <source>Unwrap and indent all parameters</source> <target state="translated">Desajustar todos los parámetros y aplicarles sangría</target> <note /> </trans-unit> <trans-unit id="Unwrap_argument_list"> <source>Unwrap argument list</source> <target state="translated">Desajustar la lista de argumentos</target> <note /> </trans-unit> <trans-unit id="Unwrap_call_chain"> <source>Unwrap call chain</source> <target state="translated">Desencapsular la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Unwrap_expression"> <source>Unwrap expression</source> <target state="translated">Desajustar la expresión</target> <note /> </trans-unit> <trans-unit id="Unwrap_parameter_list"> <source>Unwrap parameter list</source> <target state="translated">Desajustar la lista de parámetros</target> <note /> </trans-unit> <trans-unit id="Updating_0_requires_restarting_the_application"> <source>Updating '{0}' requires restarting the application.</source> <target state="new">Updating '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_0_around_an_active_statement_requires_restarting_the_application"> <source>Updating a {0} around an active statement requires restarting the application.</source> <target state="new">Updating a {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_complex_statement_containing_an_await_expression_requires_restarting_the_application"> <source>Updating a complex statement containing an await expression requires restarting the application.</source> <target state="new">Updating a complex statement containing an await expression requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_an_active_statement_requires_restarting_the_application"> <source>Updating an active statement requires restarting the application.</source> <target state="new">Updating an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_async_or_iterator_modifier_around_an_active_statement_requires_restarting_the_application"> <source>Updating async or iterator modifier around an active statement requires restarting the application.</source> <target state="new">Updating async or iterator modifier around an active statement requires restarting the application.</target> <note>{Locked="async"}{Locked="iterator"} "async" and "iterator" are C#/VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_reloadable_type_marked_by_0_attribute_or_its_member_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</source> <target state="new">Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_Handles_clause_of_0_requires_restarting_the_application"> <source>Updating the Handles clause of {0} requires restarting the application.</source> <target state="new">Updating the Handles clause of {0} requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_Implements_clause_of_a_0_requires_restarting_the_application"> <source>Updating the Implements clause of a {0} requires restarting the application.</source> <target state="new">Updating the Implements clause of a {0} requires restarting the application.</target> <note>{Locked="Implements"} "Implements" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_alias_of_Declare_statement_requires_restarting_the_application"> <source>Updating the alias of Declare statement requires restarting the application.</source> <target state="new">Updating the alias of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_attributes_of_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_base_class_and_or_base_interface_s_of_0_requires_restarting_the_application"> <source>Updating the base class and/or base interface(s) of {0} requires restarting the application.</source> <target state="new">Updating the base class and/or base interface(s) of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_initializer_of_0_requires_restarting_the_application"> <source>Updating the initializer of {0} requires restarting the application.</source> <target state="new">Updating the initializer of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_property_event_accessor_requires_restarting_the_application"> <source>Updating the kind of a property/event accessor requires restarting the application.</source> <target state="new">Updating the kind of a property/event accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_type_requires_restarting_the_application"> <source>Updating the kind of a type requires restarting the application.</source> <target state="new">Updating the kind of a type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_library_name_of_Declare_statement_requires_restarting_the_application"> <source>Updating the library name of Declare statement requires restarting the application.</source> <target state="new">Updating the library name of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_modifiers_of_0_requires_restarting_the_application"> <source>Updating the modifiers of {0} requires restarting the application.</source> <target state="new">Updating the modifiers of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_size_of_a_0_requires_restarting_the_application"> <source>Updating the size of a {0} requires restarting the application.</source> <target state="new">Updating the size of a {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_type_of_0_requires_restarting_the_application"> <source>Updating the type of {0} requires restarting the application.</source> <target state="new">Updating the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_underlying_type_of_0_requires_restarting_the_application"> <source>Updating the underlying type of {0} requires restarting the application.</source> <target state="new">Updating the underlying type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_variance_of_0_requires_restarting_the_application"> <source>Updating the variance of {0} requires restarting the application.</source> <target state="new">Updating the variance of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Use_block_body_for_lambda_expressions"> <source>Use block body for lambda expressions</source> <target state="translated">Usar cuerpo del bloque para las expresiones lambda</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambda_expressions"> <source>Use expression body for lambda expressions</source> <target state="translated">Usar órgano de expresión para expresiones lambda</target> <note /> </trans-unit> <trans-unit id="Use_interpolated_verbatim_string"> <source>Use interpolated verbatim string</source> <target state="translated">Utilizar cadenas verbatim interpoladas</target> <note /> </trans-unit> <trans-unit id="Value_colon"> <source>Value:</source> <target state="translated">Valor:</target> <note /> </trans-unit> <trans-unit id="Warning_colon_changing_namespace_may_produce_invalid_code_and_change_code_meaning"> <source>Warning: Changing namespace may produce invalid code and change code meaning.</source> <target state="translated">Advertencia: si cambia Cambiar el espacio de nombres puede producir código inválido y cambiar el significado del código.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_semantics_may_change_when_converting_statement"> <source>Warning: Semantics may change when converting statement.</source> <target state="translated">Advertencia: La semántica puede cambiar al convertir la instrucción.</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_call_chain"> <source>Wrap and align call chain</source> <target state="translated">Encapsular y alinear la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_expression"> <source>Wrap and align expression</source> <target state="translated">Expresión de encapsulado y alineación</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_long_call_chain"> <source>Wrap and align long call chain</source> <target state="translated">Encapsular y alinear la cadena de llamadas larga</target> <note /> </trans-unit> <trans-unit id="Wrap_call_chain"> <source>Wrap call chain</source> <target state="translated">Encapsular la cadena de llamadas</target> <note /> </trans-unit> <trans-unit id="Wrap_every_argument"> <source>Wrap every argument</source> <target state="translated">Ajustar todos los argumentos</target> <note /> </trans-unit> <trans-unit id="Wrap_every_parameter"> <source>Wrap every parameter</source> <target state="translated">Ajustar todos los parámetros</target> <note /> </trans-unit> <trans-unit id="Wrap_expression"> <source>Wrap expression</source> <target state="translated">Ajustar la expresión</target> <note /> </trans-unit> <trans-unit id="Wrap_long_argument_list"> <source>Wrap long argument list</source> <target state="translated">Desajustar la lista larga de argumentos</target> <note /> </trans-unit> <trans-unit id="Wrap_long_call_chain"> <source>Wrap long call chain</source> <target state="translated">Encapsular la cadena de llamadas larga</target> <note /> </trans-unit> <trans-unit id="Wrap_long_parameter_list"> <source>Wrap long parameter list</source> <target state="translated">Ajustar la lista larga de parámetros</target> <note /> </trans-unit> <trans-unit id="Wrapping"> <source>Wrapping</source> <target state="translated">Ajuste</target> <note /> </trans-unit> <trans-unit id="You_can_use_the_navigation_bar_to_switch_contexts"> <source>You can use the navigation bar to switch contexts.</source> <target state="translated">Puede usar la barra de navegación para cambiar contextos.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_empty"> <source>'{0}' cannot be null or empty.</source> <target state="translated">'{0}' no puede ser nulo ni estar vacío.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_whitespace"> <source>'{0}' cannot be null or whitespace.</source> <target state="translated">"{0}" no puede ser NULL ni un espacio en blanco.</target> <note /> </trans-unit> <trans-unit id="_0_dash_1"> <source>{0} - {1}</source> <target state="translated">{0} - {1}</target> <note /> </trans-unit> <trans-unit id="_0_is_not_null_here"> <source>'{0}' is not null here.</source> <target state="translated">"{0}" no es NULL aquí.</target> <note /> </trans-unit> <trans-unit id="_0_may_be_null_here"> <source>'{0}' may be null here.</source> <target state="translated">"{0}" puede ser NULL aquí.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second"> <source>10,000,000ths of a second</source> <target state="translated">La diezmillonésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_description"> <source>The "fffffff" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "fffffff" representa los siete dígitos más significativos de la fracción de segundos, es decir, las diez millonésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las diez millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero"> <source>10,000,000ths of a second (non-zero)</source> <target state="translated">La diezmillonésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero_description"> <source>The "FFFFFFF" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. However, trailing zeros or seven zero digits aren't displayed. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFFFF" representa los siete dígitos más significativos de la fracción de segundos, es decir, las diez millonésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de siete ceros. Aunque es posible mostrar las diez millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second"> <source>1,000,000ths of a second</source> <target state="translated">1 millonésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_description"> <source>The "ffffff" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "ffffff" representa los seis dígitos más significativos de la fracción de segundos, es decir, las millonésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero"> <source>1,000,000ths of a second (non-zero)</source> <target state="translated">1 millonésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero_description"> <source>The "FFFFFF" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. However, trailing zeros or six zero digits aren't displayed. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFFF" representa los seis dígitos más significativos de la fracción de segundos, es decir, las millonésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de seis ceros. Aunque es posible mostrar las millonésimas de un componente de segundos de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second"> <source>100,000ths of a second</source> <target state="translated">1 cienmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_description"> <source>The "fffff" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "fffff" representa los cinco dígitos más significativos de la fracción de segundos, es decir, las cienmilésimas de segundo de un valor de fecha y hora. Aunque se pueden mostrar las cienmilésimas de un componente de segundos de un valor de hora, es posible que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero"> <source>100,000ths of a second (non-zero)</source> <target state="translated">1 cienmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero_description"> <source>The "FFFFF" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. However, trailing zeros or five zero digits aren't displayed. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFFF" representa los cinco dígitos más significativos de la fracción de segundos, es decir, las cienmilésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de cinco ceros. Aunque se pueden mostrar las cienmilésimas de un componente de segundos de un valor de hora, es posible que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second"> <source>10,000ths of a second</source> <target state="translated">1 diezmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_description"> <source>The "ffff" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT version 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "ffff" representa los cuatro dígitos más significativos de la fracción de segundos, es decir, las diezmilésimas de segundo de un valor de fecha y hora. Aunque es posible mostrar las diezmilésimas de un componente de segundo de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT versión 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero"> <source>10,000ths of a second (non-zero)</source> <target state="translated">1 diezmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero_description"> <source>The "FFFF" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. However, trailing zeros or four zero digits aren't displayed. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">El especificador de formato personalizado "FFFF" representa los cuatro dígitos más significativos de la fracción de segundos, es decir, las diezmilésimas de segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de cuatro ceros. Aunque es posible mostrar la diezmilésima parte de un segundo de un valor de hora, puede que ese valor no sea significativo. La precisión de los valores de fecha y hora depende de la resolución del reloj del sistema. En los sistemas operativos Windows NT 3.5 (y posterior) y Windows Vista, la resolución del reloj es aproximadamente de 10-15 milisegundos.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second"> <source>1,000ths of a second</source> <target state="translated">1 milésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_description"> <source>The "fff" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value.</source> <target state="translated">El especificador de formato personalizado "fff" representa los tres dígitos más significativos de la fracción de segundos, es decir, los milisegundos de un valor de fecha y hora.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero"> <source>1,000ths of a second (non-zero)</source> <target state="translated">1 milésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero_description"> <source>The "FFF" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value. However, trailing zeros or three zero digits aren't displayed.</source> <target state="translated">El especificador de formato personalizado "FFF" representa los tres dígitos más significativos de la fracción de segundos, es decir, los milisegundos de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de tres ceros.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second"> <source>100ths of a second</source> <target state="translated">1 cienmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_description"> <source>The "ff" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value.</source> <target state="translated">El especificador de formato personalizado "ff" representa los dos dígitos más significativos de la fracción de segundos, es decir, la centésima parte de segundo de un valor de fecha y hora.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero"> <source>100ths of a second (non-zero)</source> <target state="translated">1 cienmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero_description"> <source>The "FF" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value. However, trailing zeros or two zero digits aren't displayed.</source> <target state="translated">El especificador de formato personalizado "FF" representa los dos dígitos más significativos de la fracción de segundos, es decir, la centésima parte de un segundo de un valor de fecha y hora. Sin embargo, no se muestran los ceros finales ni los dígitos de dos ceros.</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second"> <source>10ths of a second</source> <target state="translated">1 diezmilésima parte de un segundo</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_description"> <source>The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</source> <target state="new">The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</target> <note>{Locked="ParseExact"}{Locked="TryParseExact"}{Locked=""f""}</note> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero"> <source>10ths of a second (non-zero)</source> <target state="translated">1 diezmilésima parte de un segundo (no cero)</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero_description"> <source>The "F" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. Nothing is displayed if the digit is zero. If the "F" format specifier is used without other format specifiers, it's interpreted as the "F" standard date and time format specifier. The number of "F" format specifiers used with the ParseExact, TryParseExact, ParseExact, or TryParseExact method indicates the maximum number of most significant digits of the seconds fraction that can be present to successfully parse the string.</source> <target state="translated">El especificador de formato personalizado "F" representa el dígito más significativo de la fracción de segundos, es decir, representa las décimas de segundo en un valor de fecha y hora. Si el dígito es cero, no se muestra nada. Si el especificador de formato "F" se usa sin otros especificadores de formato, se interpreta como el especificador de formato de fecha y hora estándar "F". El número de especificadores de formato "F" que se usan con los métodos ParseExact, TryParseExact, ParseExact o TryParseExact indica el número máximo de dígitos más significativos de la fracción de segundos que puede haber para analizar correctamente la cadena.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits"> <source>12 hour clock (1-2 digits)</source> <target state="translated">Reloj de 12 horas (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits_description"> <source>The "h" custom format specifier represents the hour as a number from 1 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted without a leading zero. For example, given a time of 5:43 in the morning or afternoon, this custom format specifier displays "5". If the "h" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "h" representa la hora como un número del 1 al 12, es decir, mediante un reloj de 12 horas que cuenta las horas enteras desde la medianoche o el mediodía. Una hora determinada después de la medianoche no se distingue de la misma hora después del mediodía. La hora no se redondea y el formato de una hora de un solo dígito es sin un cero inicial. Por ejemplo, a las 5:43 de la mañana o de la tarde, este especificador de formato personalizado muestra "5". Si el especificador de formato "h" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits"> <source>12 hour clock (2 digits)</source> <target state="translated">Reloj de 12 horas (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits_description"> <source>The "hh" custom format specifier (plus any number of additional "h" specifiers) represents the hour as a number from 01 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted with a leading zero. For example, given a time of 5:43 in the morning or afternoon, this format specifier displays "05".</source> <target state="translated">El especificador de formato personalizado "hh" (más cualquier número de especificadores "h" adicionales) representa la hora como un número de 01 al 12, es decir, mediante un reloj de 12 horas que cuenta las horas enteras desde la medianoche o el mediodía. Una hora determinada después de la medianoche no se distingue de la misma hora después del mediodía. La hora no se redondea y el formato de una hora de un solo dígito es con un cero inicial. Por ejemplo, a las 5:43 de la mañana o de la tarde, este especificador de formato muestra "05".</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits"> <source>24 hour clock (1-2 digits)</source> <target state="translated">Reloj de 24 horas (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits_description"> <source>The "H" custom format specifier represents the hour as a number from 0 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted without a leading zero. If the "H" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "H" representa la hora como un número del 0 al 23; es decir, la hora se representa mediante un reloj de 24 horas de base cero que cuenta las horas desde la medianoche. Una hora con un solo dígito tiene un formato sin un cero inicial. Si el especificador de formato "H" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits"> <source>24 hour clock (2 digits)</source> <target state="translated">Reloj de 24 horas (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits_description"> <source>The "HH" custom format specifier (plus any number of additional "H" specifiers) represents the hour as a number from 00 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "HH" (más cualquier número de especificadores "H" adicionales) representa la hora como un número de 00 a 23, es decir, mediante un reloj de 24 horas de base cero que cuenta las horas desde la medianoche. El formato de una hora de un solo dígito es con un cero inicial.</target> <note /> </trans-unit> <trans-unit id="and_update_call_sites_directly"> <source>and update call sites directly</source> <target state="new">and update call sites directly</target> <note /> </trans-unit> <trans-unit id="code"> <source>code</source> <target state="translated">código</target> <note /> </trans-unit> <trans-unit id="date_separator"> <source>date separator</source> <target state="translated">separador de fecha</target> <note /> </trans-unit> <trans-unit id="date_separator_description"> <source>The "/" custom format specifier represents the date separator, which is used to differentiate years, months, and days. The appropriate localized date separator is retrieved from the DateTimeFormatInfo.DateSeparator property of the current or specified culture. Note: To change the date separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string mm'/'dd'/'yyyy produces a result string in which "/" is always used as the date separator. To change the date separator for all dates for a culture, either change the value of the DateTimeFormatInfo.DateSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its DateSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the "/" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "/" representa el separador de fecha, que se usa para diferenciar los años, los meses y los días. El separador de fecha localizado apropiado se recupera de la propiedad DateTimeFormatInfo.DateSeparator de la referencia cultural actual o especificada. Nota: Para cambiar el separador de fecha de una cadena de fecha y hora determinada, especifique el carácter separador dentro de un delimitador de cadena literal. Por ejemplo, la cadena de formato personalizado mm'/'dd'/'aaaa genera una cadena de resultado en la que "/" se usa siempre como el separador de fecha. Para cambiar el separador de fecha de todas las fechas de una referencia cultural, cambie el valor de la propiedad DateTimeFormatInfo.DateSeparator de la referencia cultural actual, o bien cree una instancia de un objeto DateTimeFormatInfo, asigne el carácter a su propiedad DateSeparator y llame a una sobrecarga del método de formato que incluye un parámetro IFormatProvider. Si el especificador de formato "/" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits"> <source>day of the month (1-2 digits)</source> <target state="translated">día del mes (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits_description"> <source>The "d" custom format specifier represents the day of the month as a number from 1 through 31. A single-digit day is formatted without a leading zero. If the "d" format specifier is used without other custom format specifiers, it's interpreted as the "d" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "d" representa el día del mes como un número del 1 al 31. Un día con un solo dígito tiene un formato sin un cero inicial. Si el especificador de formato "d" se usa sin otros especificadores de formato personalizados, se interpreta como el especificador de formato de fecha y hora estándar "d".</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits"> <source>day of the month (2 digits)</source> <target state="translated">día del mes (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits_description"> <source>The "dd" custom format string represents the day of the month as a number from 01 through 31. A single-digit day is formatted with a leading zero.</source> <target state="translated">La cadena de formato personalizado "dd" representa el día del mes como un número del 01 al 31. Un día con un solo dígito tiene un formato con un cero inicial.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated"> <source>day of the week (abbreviated)</source> <target state="translated">día de la semana (abreviado)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated_description"> <source>The "ddd" custom format specifier represents the abbreviated name of the day of the week. The localized abbreviated name of the day of the week is retrieved from the DateTimeFormatInfo.AbbreviatedDayNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "ddd" representa el nombre abreviado del día de la semana. El nombre abreviado localizado del día de la semana se recupera de la propiedad DateTimeFormatInfo.AbbreviatedDayNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full"> <source>day of the week (full)</source> <target state="translated">día de la semana (completo)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full_description"> <source>The "dddd" custom format specifier (plus any number of additional "d" specifiers) represents the full name of the day of the week. The localized name of the day of the week is retrieved from the DateTimeFormatInfo.DayNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "dddd" (más cualquier número de especificadores "d" adicionales) representa el nombre completo del día de la semana. El nombre localizado del día de la semana se recupera de la propiedad DateTimeFormatInfo.DayNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="discard"> <source>discard</source> <target state="translated">descartar</target> <note /> </trans-unit> <trans-unit id="from_metadata"> <source>from metadata</source> <target state="translated">de metadatos</target> <note /> </trans-unit> <trans-unit id="full_long_date_time"> <source>full long date/time</source> <target state="translated">fecha/hora completa en formato largo</target> <note /> </trans-unit> <trans-unit id="full_long_date_time_description"> <source>The "F" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.FullDateTimePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy HH:mm:ss".</source> <target state="translated">El especificador de formato estándar "F" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.FullDateTimePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "dddd, dd MMMM aaaa HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="full_short_date_time"> <source>full short date/time</source> <target state="translated">fecha/hora completa en formato corto</target> <note /> </trans-unit> <trans-unit id="full_short_date_time_description"> <source>The Full Date Short Time ("f") Format Specifier The "f" standard format specifier represents a combination of the long date ("D") and short time ("t") patterns, separated by a space.</source> <target state="translated">Especificador de formato de fecha completa y hora corta ("f") El especificador de formato estándar "f" representa una combinación de los patrones de fecha larga ("D") y hora corta ("t"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="general_long_date_time"> <source>general long date/time</source> <target state="translated">fecha y hora general en formato largo</target> <note /> </trans-unit> <trans-unit id="general_long_date_time_description"> <source>The "G" standard format specifier represents a combination of the short date ("d") and long time ("T") patterns, separated by a space.</source> <target state="translated">El especificador de formato estándar "G" representa una combinación de los patrones de fecha corta ("d") y hora larga ("T"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="general_short_date_time"> <source>general short date/time</source> <target state="translated">fecha y hora general en formato corto</target> <note /> </trans-unit> <trans-unit id="general_short_date_time_description"> <source>The "g" standard format specifier represents a combination of the short date ("d") and short time ("t") patterns, separated by a space.</source> <target state="translated">El especificador de formato estándar "g" representa una combinación de los patrones de fecha corta ("d") y hora corta ("t"), separados por un espacio.</target> <note /> </trans-unit> <trans-unit id="generic_overload"> <source>generic overload</source> <target state="translated">sobrecarga genérica</target> <note /> </trans-unit> <trans-unit id="generic_overloads"> <source>generic overloads</source> <target state="translated">sobrecargas genéricas</target> <note /> </trans-unit> <trans-unit id="in_0_1_2"> <source>in {0} ({1} - {2})</source> <target state="translated">en {0} ({1} - {2})</target> <note /> </trans-unit> <trans-unit id="in_Source_attribute"> <source>in Source (attribute)</source> <target state="translated">en el origen (atributo)</target> <note /> </trans-unit> <trans-unit id="into_extracted_method_to_invoke_at_call_sites"> <source>into extracted method to invoke at call sites</source> <target state="new">into extracted method to invoke at call sites</target> <note /> </trans-unit> <trans-unit id="into_new_overload"> <source>into new overload</source> <target state="new">into new overload</target> <note /> </trans-unit> <trans-unit id="long_date"> <source>long date</source> <target state="translated">fecha larga</target> <note /> </trans-unit> <trans-unit id="long_date_description"> <source>The "D" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.LongDatePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy".</source> <target state="translated">El especificador de formato estándar "D" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.LongDatePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "dddd, dd MMMM aaaa".</target> <note /> </trans-unit> <trans-unit id="long_time"> <source>long time</source> <target state="translated">hora larga</target> <note /> </trans-unit> <trans-unit id="long_time_description"> <source>The "T" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.LongTimePattern property. For example, the custom format string for the invariant culture is "HH:mm:ss".</source> <target state="translated">El especificador de formato estándar "T" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.LongTimePattern de una referencia cultural específica. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="member_kind_and_name"> <source>{0} '{1}'</source> <target state="translated">{0} "{1}"</target> <note>e.g. "method 'M'"</note> </trans-unit> <trans-unit id="minute_1_2_digits"> <source>minute (1-2 digits)</source> <target state="translated">minuto (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="minute_1_2_digits_description"> <source>The "m" custom format specifier represents the minute as a number from 0 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted without a leading zero. If the "m" format specifier is used without other custom format specifiers, it's interpreted as the "m" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "m" representa el minuto como un número del 0 al 59. El minuto representa los minutos enteros que han transcurrido desde la última hora. El formato de un minuto con un solo dígito se representa sin cero inicial. Si el especificador de formato "m" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "m".</target> <note /> </trans-unit> <trans-unit id="minute_2_digits"> <source>minute (2 digits)</source> <target state="translated">minuto (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="minute_2_digits_description"> <source>The "mm" custom format specifier (plus any number of additional "m" specifiers) represents the minute as a number from 00 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "mm" (más cualquier número de especificadores "m" adicionales) representa el minuto como un número del 00 al 59. El minuto representa los minutos enteros que han transcurrido desde la última hora. El formato de un minuto con un solo dígito se representa sin cero inicial.</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits"> <source>month (1-2 digits)</source> <target state="translated">mes (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits_description"> <source>The "M" custom format specifier represents the month as a number from 1 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted without a leading zero. If the "M" format specifier is used without other custom format specifiers, it's interpreted as the "M" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "M" representa el mes como un número del 1 al 12 (o de 1 a 13 para los calendarios con 13 meses). El formato de un mes con un solo dígito se representa sin cero inicial. Si el especificador de formato "M" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "M".</target> <note /> </trans-unit> <trans-unit id="month_2_digits"> <source>month (2 digits)</source> <target state="translated">mes (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="month_2_digits_description"> <source>The "MM" custom format specifier represents the month as a number from 01 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "MM" representa el mes como un número del 01 al 12 (o de 1 a 13 para los calendarios con 13 meses). El formato de un mes con un solo dígito se representa sin cero inicial.</target> <note /> </trans-unit> <trans-unit id="month_abbreviated"> <source>month (abbreviated)</source> <target state="translated">mes (abreviado)</target> <note /> </trans-unit> <trans-unit id="month_abbreviated_description"> <source>The "MMM" custom format specifier represents the abbreviated name of the month. The localized abbreviated name of the month is retrieved from the DateTimeFormatInfo.AbbreviatedMonthNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "MMM" representa el nombre abreviado del mes. El nombre abreviado adaptado del mes se recupera de la propiedad DateTimeFormatInfo.AbbreviatedMonthNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="month_day"> <source>month day</source> <target state="translated">día del mes</target> <note /> </trans-unit> <trans-unit id="month_day_description"> <source>The "M" or "m" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.MonthDayPattern property. For example, the custom format string for the invariant culture is "MMMM dd".</source> <target state="translated">El especificador de formato estándar "M" o "m" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.MonthDayPattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "MMMM dd".</target> <note /> </trans-unit> <trans-unit id="month_full"> <source>month (full)</source> <target state="translated">mes (completo)</target> <note /> </trans-unit> <trans-unit id="month_full_description"> <source>The "MMMM" custom format specifier represents the full name of the month. The localized name of the month is retrieved from the DateTimeFormatInfo.MonthNames property of the current or specified culture.</source> <target state="translated">El especificador de formato personalizado "MMMM" representa el nombre completo del mes. El nombre adaptado del mes se recupera de la propiedad DateTimeFormatInfo.AbbreviatedMonthNames de la referencia cultural actual o especificada.</target> <note /> </trans-unit> <trans-unit id="overload"> <source>overload</source> <target state="translated">sobrecarga</target> <note /> </trans-unit> <trans-unit id="overloads_"> <source>overloads</source> <target state="translated">sobrecargas</target> <note /> </trans-unit> <trans-unit id="_0_Keyword"> <source>{0} Keyword</source> <target state="translated">{0} Palabra clave</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_and_use_property"> <source>Encapsulate field: '{0}' (and use property)</source> <target state="translated">Encapsular campo: '{0}' (y usar propiedad)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_but_still_use_field"> <source>Encapsulate field: '{0}' (but still use field)</source> <target state="translated">Encapsular campo: '{0}' (pero seguir usándolo)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_and_use_property"> <source>Encapsulate fields (and use property)</source> <target state="translated">Encapsular campos (y usar propiedad)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_but_still_use_field"> <source>Encapsulate fields (but still use field)</source> <target state="translated">Encapsular campos (pero seguir usando el campo)</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_selection_is_not_inside_a_class_interface_struct"> <source>Could not extract interface: The selection is not inside a class/interface/struct.</source> <target state="translated">No se pudo extraer la interfaz: la selección no está dentro de una clase/interfaz/estructura.</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_type_does_not_contain_any_member_that_can_be_extracted_to_an_interface"> <source>Could not extract interface: The type does not contain any member that can be extracted to an interface.</source> <target state="translated">No se pudo extraer la interfaz: el tipo no contiene ningún miembro que se pueda extraer a una interfaz.</target> <note /> </trans-unit> <trans-unit id="can_t_not_construct_final_tree"> <source>can't not construct final tree</source> <target state="translated">no se puede construir el árbol final</target> <note /> </trans-unit> <trans-unit id="Parameters_type_or_return_type_cannot_be_an_anonymous_type_colon_bracket_0_bracket"> <source>Parameters' type or return type cannot be an anonymous type : [{0}]</source> <target state="translated">El tipo de los parámetros o el tipo de valor devuelto no puede ser un tipo anónimo: [{0}]</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_no_active_statement"> <source>The selection contains no active statement.</source> <target state="translated">La selección no contiene instrucciones activas.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_an_error_or_unknown_type"> <source>The selection contains an error or unknown type.</source> <target state="translated">La selección contiene un error o un tipo desconocido.</target> <note /> </trans-unit> <trans-unit id="Type_parameter_0_is_hidden_by_another_type_parameter_1"> <source>Type parameter '{0}' is hidden by another type parameter '{1}'.</source> <target state="translated">El parámetro de tipo '{0}' está oculto por otro parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="The_address_of_a_variable_is_used_inside_the_selected_code"> <source>The address of a variable is used inside the selected code.</source> <target state="translated">La dirección de una variable se usa dentro del código seleccionado.</target> <note /> </trans-unit> <trans-unit id="Assigning_to_readonly_fields_must_be_done_in_a_constructor_colon_bracket_0_bracket"> <source>Assigning to readonly fields must be done in a constructor : [{0}].</source> <target state="translated">La asignación a campos de solo lectura se debe hacer en un constructor: [{0}].</target> <note /> </trans-unit> <trans-unit id="generated_code_is_overlapping_with_hidden_portion_of_the_code"> <source>generated code is overlapping with hidden portion of the code</source> <target state="translated">el código generado se superpone con la parte oculta del código</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameters_to_0"> <source>Add optional parameters to '{0}'</source> <target state="translated">Agregar parámetros opcionales a "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_parameters_to_0"> <source>Add parameters to '{0}'</source> <target state="translated">Agregar parámetros a "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_delegating_constructor_0_1"> <source>Generate delegating constructor '{0}({1})'</source> <target state="translated">Generar el constructor delegado '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_0_1"> <source>Generate constructor '{0}({1})'</source> <target state="translated">Generar el constructor '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_field_assigning_constructor_0_1"> <source>Generate field assigning constructor '{0}({1})'</source> <target state="translated">Generar campo asignando constructor '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_and_GetHashCode"> <source>Generate Equals and GetHashCode</source> <target state="translated">Generar Equals y GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_object"> <source>Generate Equals(object)</source> <target state="translated">Generar "Equals(object)"</target> <note /> </trans-unit> <trans-unit id="Generate_GetHashCode"> <source>Generate GetHashCode()</source> <target state="translated">Generar "GetHashCode()"</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0"> <source>Generate constructor in '{0}'</source> <target state="translated">Generar constructor en '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_all"> <source>Generate all</source> <target state="translated">Generar todo</target> <note /> </trans-unit> <trans-unit id="Generate_enum_member_1_0"> <source>Generate enum member '{1}.{0}'</source> <target state="translated">Generar miembro de enumeración "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_constant_1_0"> <source>Generate constant '{1}.{0}'</source> <target state="translated">Generar constante "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_property_1_0"> <source>Generate read-only property '{1}.{0}'</source> <target state="translated">Generar la propiedad de solo lectura '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_property_1_0"> <source>Generate property '{1}.{0}'</source> <target state="translated">Generar la propiedad '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_field_1_0"> <source>Generate read-only field '{1}.{0}'</source> <target state="translated">Generar el campo de solo lectura '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_field_1_0"> <source>Generate field '{1}.{0}'</source> <target state="translated">Generar campo "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_local_0"> <source>Generate local '{0}'</source> <target state="translated">Generar la variable local '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1_in_new_file"> <source>Generate {0} '{1}' in new file</source> <target state="translated">Generar {0} '{1}' en archivo nuevo</target> <note /> </trans-unit> <trans-unit id="Generate_nested_0_1"> <source>Generate nested {0} '{1}'</source> <target state="translated">Generar {0} anidado '{1}'</target> <note /> </trans-unit> <trans-unit id="Global_Namespace"> <source>Global Namespace</source> <target state="translated">Espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="Implement_interface_abstractly"> <source>Implement interface abstractly</source> <target state="translated">Implementar interfaz de forma abstracta</target> <note /> </trans-unit> <trans-unit id="Implement_interface_through_0"> <source>Implement interface through '{0}'</source> <target state="translated">Implementar interfaz a través de '{0}'</target> <note /> </trans-unit> <trans-unit id="Implement_interface"> <source>Implement interface</source> <target state="translated">Implementar interfaz</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_0"> <source>Introduce field for '{0}'</source> <target state="translated">Introducir el campo de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_0"> <source>Introduce local for '{0}'</source> <target state="translated">Introducir la variable local de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_0"> <source>Introduce constant for '{0}'</source> <target state="translated">Introducir la constante de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_0"> <source>Introduce local constant for '{0}'</source> <target state="translated">Introducir la constante local de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_all_occurrences_of_0"> <source>Introduce field for all occurrences of '{0}'</source> <target state="translated">Introducir el campo para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_all_occurrences_of_0"> <source>Introduce local for all occurrences of '{0}'</source> <target state="translated">Introducir la variable local para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_all_occurrences_of_0"> <source>Introduce constant for all occurrences of '{0}'</source> <target state="translated">Introducir la constante para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_all_occurrences_of_0"> <source>Introduce local constant for all occurrences of '{0}'</source> <target state="translated">Introducir la constante local para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_all_occurrences_of_0"> <source>Introduce query variable for all occurrences of '{0}'</source> <target state="translated">Introducir la variable de consulta para todas las repeticiones de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_0"> <source>Introduce query variable for '{0}'</source> <target state="translated">Introducir la variable de consulta de '{0}'</target> <note /> </trans-unit> <trans-unit id="Anonymous_Types_colon"> <source>Anonymous Types:</source> <target state="translated">Tipos anónimos:</target> <note /> </trans-unit> <trans-unit id="is_"> <source>is</source> <target state="translated">es</target> <note /> </trans-unit> <trans-unit id="Represents_an_object_whose_operations_will_be_resolved_at_runtime"> <source>Represents an object whose operations will be resolved at runtime.</source> <target state="translated">Representa un objeto cuyas operaciones se resolverán en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="constant"> <source>constant</source> <target state="translated">constante</target> <note /> </trans-unit> <trans-unit id="field"> <source>field</source> <target state="translated">Campo</target> <note /> </trans-unit> <trans-unit id="local_constant"> <source>local constant</source> <target state="translated">constante local</target> <note /> </trans-unit> <trans-unit id="local_variable"> <source>local variable</source> <target state="translated">variable local</target> <note /> </trans-unit> <trans-unit id="label"> <source>label</source> <target state="translated">Etiqueta</target> <note /> </trans-unit> <trans-unit id="period_era"> <source>period/era</source> <target state="translated">período o era</target> <note /> </trans-unit> <trans-unit id="period_era_description"> <source>The "g" or "gg" custom format specifiers (plus any number of additional "g" specifiers) represents the period or era, such as A.D. The formatting operation ignores this specifier if the date to be formatted doesn't have an associated period or era string. If the "g" format specifier is used without other custom format specifiers, it's interpreted as the "g" standard date and time format specifier.</source> <target state="translated">Los especificadores de formato personalizado "g" o "gg" (más cualquier número de especificadores "g" adicionales) representan el período o la era, como D.C. La operación de formato omite este especificador si la fecha a la que se va a dar formato no tiene una cadena de período o era asociada. Si el especificador de formato "g" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "g".</target> <note /> </trans-unit> <trans-unit id="property_accessor"> <source>property accessor</source> <target state="new">property accessor</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>range variable</source> <target state="translated">variable de rango</target> <note /> </trans-unit> <trans-unit id="parameter"> <source>parameter</source> <target state="translated">parámetro</target> <note /> </trans-unit> <trans-unit id="in_"> <source>in</source> <target state="translated">en</target> <note /> </trans-unit> <trans-unit id="Summary_colon"> <source>Summary:</source> <target state="translated">Resumen:</target> <note /> </trans-unit> <trans-unit id="Locals_and_parameters"> <source>Locals and parameters</source> <target state="translated">Variables locales y parámetros</target> <note /> </trans-unit> <trans-unit id="Type_parameters_colon"> <source>Type parameters:</source> <target state="translated">Parámetros de tipo:</target> <note /> </trans-unit> <trans-unit id="Returns_colon"> <source>Returns:</source> <target state="translated">Devuelve:</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Excepciones:</target> <note /> </trans-unit> <trans-unit id="Remarks_colon"> <source>Remarks:</source> <target state="translated">Comentarios:</target> <note /> </trans-unit> <trans-unit id="generating_source_for_symbols_of_this_type_is_not_supported"> <source>generating source for symbols of this type is not supported</source> <target state="translated">no está permitido generar código fuente para símbolos de este tipo</target> <note /> </trans-unit> <trans-unit id="Assembly"> <source>Assembly</source> <target state="translated">ensamblado</target> <note /> </trans-unit> <trans-unit id="location_unknown"> <source>location unknown</source> <target state="translated">ubicación desconocida</target> <note /> </trans-unit> <trans-unit id="Unexpected_interface_member_kind_colon_0"> <source>Unexpected interface member kind: {0}</source> <target state="translated">Tipo de miembro de interfaz inesperado: {0}</target> <note /> </trans-unit> <trans-unit id="Unknown_symbol_kind"> <source>Unknown symbol kind</source> <target state="translated">Tipo de símbolo desconocido</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_property_1_0"> <source>Generate abstract property '{1}.{0}'</source> <target state="translated">Generar propiedad abstracta "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_method_1_0"> <source>Generate abstract method '{1}.{0}'</source> <target state="translated">Generar método abstracto "{1}.{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_method_1_0"> <source>Generate method '{1}.{0}'</source> <target state="translated">Generar el método '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Requested_assembly_already_loaded_from_0"> <source>Requested assembly already loaded from '{0}'.</source> <target state="translated">El ensamblado solicitado ya se ha cargado desde '{0}'.</target> <note /> </trans-unit> <trans-unit id="The_symbol_does_not_have_an_icon"> <source>The symbol does not have an icon.</source> <target state="translated">El símbolo no tiene un icono.</target> <note /> </trans-unit> <trans-unit id="Asynchronous_method_cannot_have_ref_out_parameters_colon_bracket_0_bracket"> <source>Asynchronous method cannot have ref/out parameters : [{0}]</source> <target state="translated">El método asincrónico no puede tener parámetros ref/out: [{0}]</target> <note /> </trans-unit> <trans-unit id="The_member_is_defined_in_metadata"> <source>The member is defined in metadata.</source> <target state="translated">El miembro está definido en metadatos.</target> <note /> </trans-unit> <trans-unit id="You_can_only_change_the_signature_of_a_constructor_indexer_method_or_delegate"> <source>You can only change the signature of a constructor, indexer, method or delegate.</source> <target state="translated">Solo se puede cambiar la firma de un constructor, indizador, método o delegado.</target> <note /> </trans-unit> <trans-unit id="This_symbol_has_related_definitions_or_references_in_metadata_Changing_its_signature_may_result_in_build_errors_Do_you_want_to_continue"> <source>This symbol has related definitions or references in metadata. Changing its signature may result in build errors. Do you want to continue?</source> <target state="translated">Este símbolo tiene definiciones o referencias relacionadas en metadatos. Cambiar la firma puede provocar errores de compilación. ¿Quiere continuar?</target> <note /> </trans-unit> <trans-unit id="Change_signature"> <source>Change signature...</source> <target state="translated">Cambiar firma...</target> <note /> </trans-unit> <trans-unit id="Generate_new_type"> <source>Generate new type...</source> <target state="translated">Generar nuevo tipo...</target> <note /> </trans-unit> <trans-unit id="User_Diagnostic_Analyzer_Failure"> <source>User Diagnostic Analyzer Failure.</source> <target state="translated">Error del analizador de diagnóstico de usuario.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_an_exception_of_type_1_with_message_2"> <source>Analyzer '{0}' threw an exception of type '{1}' with message '{2}'.</source> <target state="translated">El analizador '{0}' produjo una excepción de tipo '{1}' con el mensaje '{2}'.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_the_following_exception_colon_1"> <source>Analyzer '{0}' threw the following exception: '{1}'.</source> <target state="translated">El analizador '{0}' inició la siguiente excepción: '{1}'.</target> <note /> </trans-unit> <trans-unit id="Simplify_Names"> <source>Simplify Names</source> <target state="translated">Simplificar nombres</target> <note /> </trans-unit> <trans-unit id="Simplify_Member_Access"> <source>Simplify Member Access</source> <target state="translated">Simplificar acceso de miembros</target> <note /> </trans-unit> <trans-unit id="Remove_qualification"> <source>Remove qualification</source> <target state="translated">Quitar cualificación</target> <note /> </trans-unit> <trans-unit id="Unknown_error_occurred"> <source>Unknown error occurred</source> <target state="translated">Se ha producido un error desconocido</target> <note /> </trans-unit> <trans-unit id="Available"> <source>Available</source> <target state="translated">Disponible</target> <note /> </trans-unit> <trans-unit id="Not_Available"> <source>Not Available ⚠</source> <target state="translated">No disponible ⚠</target> <note /> </trans-unit> <trans-unit id="_0_1"> <source> {0} - {1}</source> <target state="translated"> {0} - {1}</target> <note /> </trans-unit> <trans-unit id="in_Source"> <source>in Source</source> <target state="translated">En origen</target> <note /> </trans-unit> <trans-unit id="in_Suppression_File"> <source>in Suppression File</source> <target state="translated">En&amp; archivo de supresión</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression_0"> <source>Remove Suppression {0}</source> <target state="translated">Quitar supresión {0}</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression"> <source>Remove Suppression</source> <target state="translated">Quitar supresión</target> <note /> </trans-unit> <trans-unit id="Pending"> <source>&lt;Pending&gt;</source> <target state="translated">&lt;pendiente&gt;</target> <note /> </trans-unit> <trans-unit id="Note_colon_Tab_twice_to_insert_the_0_snippet"> <source>Note: Tab twice to insert the '{0}' snippet.</source> <target state="translated">Nota: Presione dos veces la tecla Tab para insertar el fragmento de código '{0}'.</target> <note /> </trans-unit> <trans-unit id="Implement_interface_explicitly_with_Dispose_pattern"> <source>Implement interface explicitly with Dispose pattern</source> <target state="translated">Implementar la interfaz de forma explícita con el patrón de Dispose</target> <note /> </trans-unit> <trans-unit id="Implement_interface_with_Dispose_pattern"> <source>Implement interface with Dispose pattern</source> <target state="translated">Implementar la interfaz con el patrón de Dispose</target> <note /> </trans-unit> <trans-unit id="Re_triage_0_currently_1"> <source>Re-triage {0}(currently '{1}')</source> <target state="translated">Volver a evaluar prioridades de {0}(valor actual: '{1}')</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_have_a_null_element"> <source>Argument cannot have a null element.</source> <target state="translated">El argumento no puede tener un elemento nulo.</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_be_empty"> <source>Argument cannot be empty.</source> <target state="translated">El argumento no puede estar vacío.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_with_ID_0_is_not_supported_by_the_analyzer"> <source>Reported diagnostic with ID '{0}' is not supported by the analyzer.</source> <target state="translated">El analizador no admite el diagnóstico notificado con identificador '{0}'.</target> <note /> </trans-unit> <trans-unit id="Computing_fix_all_occurrences_code_fix"> <source>Computing fix all occurrences code fix...</source> <target state="translated">Calculando corrección de todas las repeticiones de corrección de código...</target> <note /> </trans-unit> <trans-unit id="Fix_all_occurrences"> <source>Fix all occurrences</source> <target state="translated">Corregir todas las repeticiones</target> <note /> </trans-unit> <trans-unit id="Document"> <source>Document</source> <target state="translated">Documento</target> <note /> </trans-unit> <trans-unit id="Project"> <source>Project</source> <target state="translated">Proyecto</target> <note /> </trans-unit> <trans-unit id="Solution"> <source>Solution</source> <target state="translated">Solución</target> <note /> </trans-unit> <trans-unit id="TODO_colon_dispose_managed_state_managed_objects"> <source>TODO: dispose managed state (managed objects)</source> <target state="translated">TODO: eliminar el estado administrado (objetos administrados)</target> <note /> </trans-unit> <trans-unit id="TODO_colon_set_large_fields_to_null"> <source>TODO: set large fields to null</source> <target state="translated">TODO: establecer los campos grandes como NULL</target> <note /> </trans-unit> <trans-unit id="Compiler2"> <source>Compiler</source> <target state="translated">Compilador</target> <note /> </trans-unit> <trans-unit id="Live"> <source>Live</source> <target state="translated">Activo</target> <note /> </trans-unit> <trans-unit id="enum_value"> <source>enum value</source> <target state="translated">valor de enumeración</target> <note>{Locked="enum"} "enum" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="const_field"> <source>const field</source> <target state="translated">campo const</target> <note>{Locked="const"} "const" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="method"> <source>method</source> <target state="translated">método</target> <note /> </trans-unit> <trans-unit id="operator_"> <source>operator</source> <target state="translated">Operador</target> <note /> </trans-unit> <trans-unit id="constructor"> <source>constructor</source> <target state="translated">constructor</target> <note /> </trans-unit> <trans-unit id="auto_property"> <source>auto-property</source> <target state="translated">propiedad automática</target> <note /> </trans-unit> <trans-unit id="property_"> <source>property</source> <target state="translated">Propiedad</target> <note /> </trans-unit> <trans-unit id="event_accessor"> <source>event accessor</source> <target state="translated">descriptor de acceso de eventos</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time"> <source>rfc1123 date/time</source> <target state="translated">fecha y hora de rfc1123</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time_description"> <source>The "R" or "r" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.RFC1123Pattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">El especificador de formato estándar "R" o "r" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.RFC1123Pattern. El patrón refleja un estándar definido y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable.</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time"> <source>round-trip date/time</source> <target state="translated">fecha y hora de recorrido de ida y vuelta</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time_description"> <source>The "O" or "o" standard format specifier represents a custom date and time format string using a pattern that preserves time zone information and emits a result string that complies with ISO 8601. For DateTime values, this format specifier is designed to preserve date and time values along with the DateTime.Kind property in text. The formatted string can be parsed back by using the DateTime.Parse(String, IFormatProvider, DateTimeStyles) or DateTime.ParseExact method if the styles parameter is set to DateTimeStyles.RoundtripKind. The "O" or "o" standard format specifier corresponds to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string for DateTime values and to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" custom format string for DateTimeOffset values. In this string, the pairs of single quotation marks that delimit individual characters, such as the hyphens, the colons, and the letter "T", indicate that the individual character is a literal that cannot be changed. The apostrophes do not appear in the output string. The "O" or "o" standard format specifier (and the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string) takes advantage of the three ways that ISO 8601 represents time zone information to preserve the Kind property of DateTime values: The time zone component of DateTimeKind.Local date and time values is an offset from UTC (for example, +01:00, -07:00). All DateTimeOffset values are also represented in this format. The time zone component of DateTimeKind.Utc date and time values uses "Z" (which stands for zero offset) to represent UTC. DateTimeKind.Unspecified date and time values have no time zone information. Because the "O" or "o" standard format specifier conforms to an international standard, the formatting or parsing operation that uses the specifier always uses the invariant culture and the Gregorian calendar. Strings that are passed to the Parse, TryParse, ParseExact, and TryParseExact methods of DateTime and DateTimeOffset can be parsed by using the "O" or "o" format specifier if they are in one of these formats. In the case of DateTime objects, the parsing overload that you call should also include a styles parameter with a value of DateTimeStyles.RoundtripKind. Note that if you call a parsing method with the custom format string that corresponds to the "O" or "o" format specifier, you won't get the same results as "O" or "o". This is because parsing methods that use a custom format string can't parse the string representation of date and time values that lack a time zone component or use "Z" to indicate UTC.</source> <target state="translated">El especificador de formato estándar "O" o bien "o" representa una cadena de formato de fecha y hora personalizado con un patrón que conserva la información de la zona horaria y emite una cadena de resultado que se ajusta a la norma ISO 8601. Para valores de fecha y hora, este especificador de formato está diseñado para conservar los valores de fecha y hora junto con la propiedad DateTime.Kind en el texto. La cadena con formato se puede analizar de nuevo con el método DateTime.Parse (String, IFormatProvider, DateTimeStyles) o DateTime.ParseExact si el parámetro Styles se establece en DateTimeStyles.RoundtripKind. El especificador de formato estándar "O" o bien "o" se corresponde con la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" para valores de DateTime y con la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" para valores de DateTimeOffset. En esta cadena, los pares de comillas simples que delimitan los caracteres individuales, como los guiones, los dos puntos y la letra "T", indican que el carácter individual es un literal que no se puede cambiar. Los apóstrofos no aparecen en la cadena de salida. El especificador de formato estándar "O" o bien "o" (y la cadena de formato personalizado "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" aprovecha las tres formas en que ISO 8601 representa la información de la zona horaria para conservar la propiedad Kind de los valores de DateTime: El componente de zona horaria de los valores de fecha y hora de DateTimeKind.Local tiene una diferencia respecto a la hora UTC (por ejemplo, +01:00,-07:00). Todos los valores de DateTimeOffset también se representan con este formato. El componente de zona horaria de los valores de fecha y hora de DateTimeKind.Utc utilizan "Z" (que significa que la diferencia es cero) para representar la hora UTC. Los valores de fecha y hora de DateTimeKind.Unspecified no tienen información de zona horaria. Dado que el especificador de formato estándar "O" o bien "o" se ajusta a un estándar internacional, la operación de formato o análisis que usa el especificador siempre utiliza la referencia cultural invariable y el calendario gregoriano. Las cadenas que se pasan a los métodos Parse, TryParse, ParseExact y TryParseExact de DateTime y DateTimeOffset se pueden analizar usando el especificador de formato "O" o bien "o" si se encuentran en uno de estos formatos. En el caso de los objetos DateTime, la sobrecarga de análisis a la que llama debe incluir también un parámetro Styles con un valor de DateTimeStyles.RoundtripKind. Tenga en cuenta que si se llama a un método de análisis con la cadena de formato personalizada que corresponde al especificador de formato "O" o bien "o", no se obtendrán los mismos resultados que "O" o bien "o". Esto se debe a que los métodos de análisis que usan una cadena de formato personalizado no pueden analizar la representación de cadena de valores de fecha y hora que carecen de un componente de zona horaria o utilizan "Z" para indicar la hora UTC.</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits"> <source>second (1-2 digits)</source> <target state="translated">segundo (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits_description"> <source>The "s" custom format specifier represents the seconds as a number from 0 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted without a leading zero. If the "s" format specifier is used without other custom format specifiers, it's interpreted as the "s" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "s" representa los segundos como un número del 0 al 59. El resultado representa los segundos enteros que han transcurrido desde el último minuto. El formato de un segundo con un solo dígito se representa sin cero inicial. Si el especificador de formato "s" se usa sin otros especificadores de formato personalizado, se interpreta como el especificador de formato de fecha y hora estándar "s".</target> <note /> </trans-unit> <trans-unit id="second_2_digits"> <source>second (2 digits)</source> <target state="translated">segundo (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="second_2_digits_description"> <source>The "ss" custom format specifier (plus any number of additional "s" specifiers) represents the seconds as a number from 00 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted with a leading zero.</source> <target state="translated">El especificador de formato personalizado "ss" (más cualquier número de especificadores "s" adicionales) representa los segundos como un número del 00 al 59. El resultado representa los segundos enteros que han transcurrido desde el último minuto. El formato de un segundo con un solo dígito se representa sin un cero inicial.</target> <note /> </trans-unit> <trans-unit id="short_date"> <source>short date</source> <target state="translated">fecha corta</target> <note /> </trans-unit> <trans-unit id="short_date_description"> <source>The "d" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.ShortDatePattern property. For example, the custom format string that is returned by the ShortDatePattern property of the invariant culture is "MM/dd/yyyy".</source> <target state="translated">El especificador de formato estándar "d" representa una cadena de formato de fecha y hora personalizado definida por una propiedad DateTimeFormatInfo.ShortDatePattern de una referencia cultural específica. Por ejemplo, la cadena de formato personalizado devuelta por la propiedad ShortDatePattern de la referencia cultural invariable es "MM/DD/AAAA".</target> <note /> </trans-unit> <trans-unit id="short_time"> <source>short time</source> <target state="translated">hora corta</target> <note /> </trans-unit> <trans-unit id="short_time_description"> <source>The "t" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.ShortTimePattern property. For example, the custom format string for the invariant culture is "HH:mm".</source> <target state="translated">El especificador de formato estándar "t" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.ShortTimePattern actual. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "HH:mm".</target> <note /> </trans-unit> <trans-unit id="sortable_date_time"> <source>sortable date/time</source> <target state="translated">fecha y hora ordenable</target> <note /> </trans-unit> <trans-unit id="sortable_date_time_description"> <source>The "s" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.SortableDateTimePattern property. The pattern reflects a defined standard (ISO 8601), and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd'T'HH':'mm':'ss". The purpose of the "s" format specifier is to produce result strings that sort consistently in ascending or descending order based on date and time values. As a result, although the "s" standard format specifier represents a date and time value in a consistent format, the formatting operation does not modify the value of the date and time object that is being formatted to reflect its DateTime.Kind property or its DateTimeOffset.Offset value. For example, the result strings produced by formatting the date and time values 2014-11-15T18:32:17+00:00 and 2014-11-15T18:32:17+08:00 are identical. When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">El especificador de formato estándar "s" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.SortableDateTimePattern. El patrón refleja un estándar definido (ISO 8601) y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "yyyy'-'MM'-'dd'T'HH':'mm':'ss". La finalidad del especificador de formato "s" es producir cadenas de resultados que se ordenen coherentemente de forma ascendente o descendente según los valores de fecha y hora. Como resultado, aunque el especificador de formato estándar "s" representa un valor de fecha y hora en un formato coherente, la operación de formato no modifica el valor del objeto de fecha y hora al que se está dando formato para reflejar su propiedad DateTime.Kind o DateTimeOffset.Offset. Por ejemplo, las cadenas de resultados generadas por el formato de los valores de fecha y hora 2014-11-15T18:32:17+00:00 y 2014-11-15T18:32:17+08:00 son idénticas. Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable.</target> <note /> </trans-unit> <trans-unit id="static_constructor"> <source>static constructor</source> <target state="translated">constructor estático</target> <note /> </trans-unit> <trans-unit id="symbol_cannot_be_a_namespace"> <source>'symbol' cannot be a namespace.</source> <target state="translated">'símbolo' no puede ser un espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="time_separator"> <source>time separator</source> <target state="translated">separador de la hora</target> <note /> </trans-unit> <trans-unit id="time_separator_description"> <source>The ":" custom format specifier represents the time separator, which is used to differentiate hours, minutes, and seconds. The appropriate localized time separator is retrieved from the DateTimeFormatInfo.TimeSeparator property of the current or specified culture. Note: To change the time separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string hh'_'dd'_'ss produces a result string in which "_" (an underscore) is always used as the time separator. To change the time separator for all dates for a culture, either change the value of the DateTimeFormatInfo.TimeSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its TimeSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the ":" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado ":" representa el separador de hora, que se usa para diferenciar las horas, los minutos y los segundos. El separador de hora localizado apropiado se recupera de la propiedad DateTimeFormatInfo.TimeSeparator de la referencia cultural actual o especificada. Nota: Para cambiar el separador de hora de una cadena de fecha y hora determinada, especifique el carácter separador dentro de un delimitador de cadena literal. Por ejemplo, la cadena de formato personalizado hh'_'dd'_'ss genera una cadena de resultado en la que "_" (un carácter de subrayado) siempre se usa como separador de hora. Para cambiar el separador de hora de todas las fechas de una referencia cultural, cambie el valor de la propiedad DateTimeFormatInfo.TimeSeparator de la referencia cultural actual, o bien cree una instancia del objeto DateTimeFormatInfo, asigne el carácter a su propiedad TimeSeparator y llame a una sobrecarga del método de formato que incluye un parámetro IFormatProvider. Si el especificador de formato ":" se usa sin otros especificadores de formato personalizados, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción FormatException.</target> <note /> </trans-unit> <trans-unit id="time_zone"> <source>time zone</source> <target state="translated">zona horaria</target> <note /> </trans-unit> <trans-unit id="time_zone_description"> <source>The "K" custom format specifier represents the time zone information of a date and time value. When this format specifier is used with DateTime values, the result string is defined by the value of the DateTime.Kind property: For the local time zone (a DateTime.Kind property value of DateTimeKind.Local), this specifier is equivalent to the "zzz" specifier and produces a result string containing the local offset from Coordinated Universal Time (UTC); for example, "-07:00". For a UTC time (a DateTime.Kind property value of DateTimeKind.Utc), the result string includes a "Z" character to represent a UTC date. For a time from an unspecified time zone (a time whose DateTime.Kind property equals DateTimeKind.Unspecified), the result is equivalent to String.Empty. For DateTimeOffset values, the "K" format specifier is equivalent to the "zzz" format specifier, and produces a result string containing the DateTimeOffset value's offset from UTC. If the "K" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">El especificador de formato personalizado "K" representa la información de zona horaria de un valor de fecha y hora. Cuando se usa este especificador de formato con valores DateTime, la cadena de resultado se define por el valor de la propiedad DateTime.Kind: En el caso de la zona horaria local (valor de la propiedad DateTime.Kind de DateTimeKind.Local), este especificador es equivalente al especificador "zzz" y genera una cadena de resultado que contiene el desplazamiento local de la hora universal coordinada (UTC); por ejemplo, "-07:00". Para una hora UTC (un valor de propiedad DateTime. Kind de DateTimeKind. UTC), la cadena de resultado incluye un carácter "Z" para representar una fecha UTC. Para una hora de una zona horaria no especificada (una hora cuya propiedad DateTime. Kind igual a DateTimeKind. no especificada), el resultado es equivalente a String. Empty. Para los valores de DateTimeOffset, el especificador de formato "K" es equivalente al especificador de formato "Zzz" y genera una cadena de resultado que contiene el desplazamiento del valor DateTimeOffset con respecto a la hora UTC. Si el especificador de formato "K" se usa sin otros especificadores de formato personalizado, se interpreta como un especificador de formato de fecha y hora estándar y produce una FormatException.</target> <note /> </trans-unit> <trans-unit id="type"> <source>type</source> <target state="new">type</target> <note /> </trans-unit> <trans-unit id="type_constraint"> <source>type constraint</source> <target state="translated">restricción de tipo</target> <note /> </trans-unit> <trans-unit id="type_parameter"> <source>type parameter</source> <target state="translated">parámetro de tipo</target> <note /> </trans-unit> <trans-unit id="attribute"> <source>attribute</source> <target state="translated">atributo</target> <note /> </trans-unit> <trans-unit id="Replace_0_and_1_with_property"> <source>Replace '{0}' and '{1}' with property</source> <target state="translated">Reemplazar '{0}' y '{1}' por la propiedad</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_property"> <source>Replace '{0}' with property</source> <target state="translated">Reemplazar '{0}' por la propiedad</target> <note /> </trans-unit> <trans-unit id="Method_referenced_implicitly"> <source>Method referenced implicitly</source> <target state="translated">Método al que se hace referencia implícita</target> <note /> </trans-unit> <trans-unit id="Generate_type_0"> <source>Generate type '{0}'</source> <target state="translated">Generar tipo '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1"> <source>Generate {0} '{1}'</source> <target state="translated">Generar {0} '{1}'</target> <note /> </trans-unit> <trans-unit id="Change_0_to_1"> <source>Change '{0}' to '{1}'.</source> <target state="translated">Cambie '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="Non_invoked_method_cannot_be_replaced_with_property"> <source>Non-invoked method cannot be replaced with property.</source> <target state="translated">El método no invocado no se puede reemplazar por la propiedad.</target> <note /> </trans-unit> <trans-unit id="Only_methods_with_a_single_argument_which_is_not_an_out_variable_declaration_can_be_replaced_with_a_property"> <source>Only methods with a single argument, which is not an out variable declaration, can be replaced with a property.</source> <target state="translated">Solo los métodos que tienen un solo argumento, que no es una declaración de variable out, se pueden reemplazar por una propiedad.</target> <note /> </trans-unit> <trans-unit id="Roslyn_HostError"> <source>Roslyn.HostError</source> <target state="translated">Roslyn.HostError</target> <note /> </trans-unit> <trans-unit id="An_instance_of_analyzer_0_cannot_be_created_from_1_colon_2"> <source>An instance of analyzer {0} cannot be created from {1}: {2}.</source> <target state="translated">No se puede crear una instancia de analizador {0} desde {1}: {2}.</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_does_not_contain_any_analyzers"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">El ensamblado {0} no contiene ningún analizador.</target> <note /> </trans-unit> <trans-unit id="Unable_to_load_Analyzer_assembly_0_colon_1"> <source>Unable to load Analyzer assembly {0}: {1}</source> <target state="translated">No se puede cargar el ensamblado del analizador {0}: {1}</target> <note /> </trans-unit> <trans-unit id="Make_method_synchronous"> <source>Make method synchronous</source> <target state="translated">Convertir el método en sincrónico</target> <note /> </trans-unit> <trans-unit id="from_0"> <source>from {0}</source> <target state="translated">desde {0}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version"> <source>Find and install latest version</source> <target state="translated">Buscar e instalar la última versión</target> <note /> </trans-unit> <trans-unit id="Use_local_version_0"> <source>Use local version '{0}'</source> <target state="translated">Usar la versión local '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_locally_installed_0_version_1_This_version_used_in_colon_2"> <source>Use locally installed '{0}' version '{1}' This version used in: {2}</source> <target state="translated">Usar la versión '{0}' instalada localmente '{1}' Esta versión se utiliza en: {2}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version_of_0"> <source>Find and install latest version of '{0}'</source> <target state="translated">Buscar e instalar la última versión de '{0}'</target> <note /> </trans-unit> <trans-unit id="Install_with_package_manager"> <source>Install with package manager...</source> <target state="translated">Instalar con el Administrador de paquetes...</target> <note /> </trans-unit> <trans-unit id="Install_0_1"> <source>Install '{0} {1}'</source> <target state="translated">Instalar '{0} {1}'</target> <note /> </trans-unit> <trans-unit id="Install_version_0"> <source>Install version '{0}'</source> <target state="translated">Instalar la versión '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_variable_0"> <source>Generate variable '{0}'</source> <target state="translated">Generar variable '{0}'</target> <note /> </trans-unit> <trans-unit id="Classes"> <source>Classes</source> <target state="translated">Clases</target> <note /> </trans-unit> <trans-unit id="Constants"> <source>Constants</source> <target state="translated">Constantes</target> <note /> </trans-unit> <trans-unit id="Delegates"> <source>Delegates</source> <target state="translated">Delegados</target> <note /> </trans-unit> <trans-unit id="Enums"> <source>Enums</source> <target state="translated">Enumeraciones</target> <note /> </trans-unit> <trans-unit id="Events"> <source>Events</source> <target state="translated">Eventos</target> <note /> </trans-unit> <trans-unit id="Extension_methods"> <source>Extension methods</source> <target state="translated">Métodos de extensión</target> <note /> </trans-unit> <trans-unit id="Fields"> <source>Fields</source> <target state="translated">Campos</target> <note /> </trans-unit> <trans-unit id="Interfaces"> <source>Interfaces</source> <target state="translated">Interfaces</target> <note /> </trans-unit> <trans-unit id="Locals"> <source>Locals</source> <target state="translated">Variables locales</target> <note /> </trans-unit> <trans-unit id="Methods"> <source>Methods</source> <target state="translated">Métodos</target> <note /> </trans-unit> <trans-unit id="Modules"> <source>Modules</source> <target state="translated">Módulos</target> <note /> </trans-unit> <trans-unit id="Namespaces"> <source>Namespaces</source> <target state="translated">Espacios de nombres</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Propiedades</target> <note /> </trans-unit> <trans-unit id="Structures"> <source>Structures</source> <target state="translated">Estructuras</target> <note /> </trans-unit> <trans-unit id="Parameters_colon"> <source>Parameters:</source> <target state="translated">Parámetros:</target> <note /> </trans-unit> <trans-unit id="Variadic_SignatureHelpItem_must_have_at_least_one_parameter"> <source>Variadic SignatureHelpItem must have at least one parameter.</source> <target state="translated">El elemento variádico SignatureHelpItem debe tener al menos un parámetro.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_method"> <source>Replace '{0}' with method</source> <target state="translated">Reemplazar '{0}' por un método</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_methods"> <source>Replace '{0}' with methods</source> <target state="translated">Reemplazar '{0}' por métodos</target> <note /> </trans-unit> <trans-unit id="Property_referenced_implicitly"> <source>Property referenced implicitly</source> <target state="translated">Propiedad a la que se hace referencia de forma implícita</target> <note /> </trans-unit> <trans-unit id="Property_cannot_safely_be_replaced_with_a_method_call"> <source>Property cannot safely be replaced with a method call</source> <target state="translated">La propiedad no se puede reemplazar por una llamada a un método de forma segura</target> <note /> </trans-unit> <trans-unit id="Convert_to_interpolated_string"> <source>Convert to interpolated string</source> <target state="translated">Convertir a cadena interpolada</target> <note /> </trans-unit> <trans-unit id="Move_type_to_0"> <source>Move type to {0}</source> <target state="translated">Mover tipo a {0}</target> <note /> </trans-unit> <trans-unit id="Rename_file_to_0"> <source>Rename file to {0}</source> <target state="translated">Cambiar nombre de archivo por {0}</target> <note /> </trans-unit> <trans-unit id="Rename_type_to_0"> <source>Rename type to {0}</source> <target state="translated">Cambiar nombre de tipo por {0}</target> <note /> </trans-unit> <trans-unit id="Remove_tag"> <source>Remove tag</source> <target state="translated">Quitar etiqueta</target> <note /> </trans-unit> <trans-unit id="Add_missing_param_nodes"> <source>Add missing param nodes</source> <target state="translated">Agregar nodos de parámetros que faltan</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async"> <source>Make containing scope async</source> <target state="translated">Convertir el ámbito contenedor en asincrónico</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async_return_Task"> <source>Make containing scope async (return Task)</source> <target state="translated">Convertir el ámbito contenedor en asincrónico (devolver Task)</target> <note /> </trans-unit> <trans-unit id="paren_Unknown_paren"> <source>(Unknown)</source> <target state="translated">(Desconocido)</target> <note /> </trans-unit> <trans-unit id="Use_framework_type"> <source>Use framework type</source> <target state="translated">Usar tipo de marco de trabajo</target> <note /> </trans-unit> <trans-unit id="Install_package_0"> <source>Install package '{0}'</source> <target state="translated">Instalar paquete '{0}'</target> <note /> </trans-unit> <trans-unit id="project_0"> <source>project {0}</source> <target state="translated">proyecto {0}</target> <note /> </trans-unit> <trans-unit id="Fully_qualify_0"> <source>Fully qualify '{0}'</source> <target state="translated">'{0}' completo</target> <note /> </trans-unit> <trans-unit id="Remove_reference_to_0"> <source>Remove reference to '{0}'.</source> <target state="translated">Quitar referencia a '{0}'.</target> <note /> </trans-unit> <trans-unit id="Keywords"> <source>Keywords</source> <target state="translated">Palabras clave</target> <note /> </trans-unit> <trans-unit id="Snippets"> <source>Snippets</source> <target state="translated">Fragmentos de código</target> <note /> </trans-unit> <trans-unit id="All_lowercase"> <source>All lowercase</source> <target state="translated">Todo minúsculas</target> <note /> </trans-unit> <trans-unit id="All_uppercase"> <source>All uppercase</source> <target state="translated">Todo mayúsculas</target> <note /> </trans-unit> <trans-unit id="First_word_capitalized"> <source>First word capitalized</source> <target state="translated">Primera palabra en mayúsculas</target> <note /> </trans-unit> <trans-unit id="Pascal_Case"> <source>Pascal Case</source> <target state="translated">Pascal Case</target> <note /> </trans-unit> <trans-unit id="Remove_document_0"> <source>Remove document '{0}'</source> <target state="translated">Quitar documento "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_document_0"> <source>Add document '{0}'</source> <target state="translated">Agregar documento "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0"> <source>Add argument name '{0}'</source> <target state="translated">Agregar nombre de argumento "{0}"</target> <note /> </trans-unit> <trans-unit id="Take_0"> <source>Take '{0}'</source> <target state="translated">Tomar "{0}"</target> <note /> </trans-unit> <trans-unit id="Take_both"> <source>Take both</source> <target state="translated">Tomar ambas</target> <note /> </trans-unit> <trans-unit id="Take_bottom"> <source>Take bottom</source> <target state="translated">Tomar parte inferior</target> <note /> </trans-unit> <trans-unit id="Take_top"> <source>Take top</source> <target state="translated">Tomar parte superior</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variable"> <source>Remove unused variable</source> <target state="translated">Quitar variable no utilizada</target> <note /> </trans-unit> <trans-unit id="Convert_to_binary"> <source>Convert to binary</source> <target state="translated">Convertir a binario</target> <note /> </trans-unit> <trans-unit id="Convert_to_decimal"> <source>Convert to decimal</source> <target state="translated">Convertir a decimal</target> <note /> </trans-unit> <trans-unit id="Convert_to_hex"> <source>Convert to hex</source> <target state="translated">Convertir a hexadecimal</target> <note /> </trans-unit> <trans-unit id="Separate_thousands"> <source>Separate thousands</source> <target state="translated">Separar miles</target> <note /> </trans-unit> <trans-unit id="Separate_words"> <source>Separate words</source> <target state="translated">Separar palabras</target> <note /> </trans-unit> <trans-unit id="Separate_nibbles"> <source>Separate nibbles</source> <target state="translated">Separar cuartetos</target> <note /> </trans-unit> <trans-unit id="Remove_separators"> <source>Remove separators</source> <target state="translated">Quitar separadores</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0"> <source>Add parameter to '{0}'</source> <target state="translated">Agregar parámetro a "{0}"</target> <note /> </trans-unit> <trans-unit id="Generate_constructor"> <source>Generate constructor...</source> <target state="translated">Generar constructor...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_as_constructor_parameters"> <source>Pick members to be used as constructor parameters</source> <target state="translated">Seleccionar miembros para usarlos como parámetros del constructor</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_in_Equals_GetHashCode"> <source>Pick members to be used in Equals/GetHashCode</source> <target state="translated">Seleccionar miembros para usar en Equals/GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_overrides"> <source>Generate overrides...</source> <target state="translated">Generar invalidaciones...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_override"> <source>Pick members to override</source> <target state="translated">Seleccionar miembros para invalidar</target> <note /> </trans-unit> <trans-unit id="Add_null_check"> <source>Add null check</source> <target state="translated">Agregar comprobación de valores null</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrEmpty_check"> <source>Add 'string.IsNullOrEmpty' check</source> <target state="translated">Agregar comprobación de "string.IsNullOrEmpty"</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrWhiteSpace_check"> <source>Add 'string.IsNullOrWhiteSpace' check</source> <target state="translated">Agregar comprobación de "string.IsNullOrWhiteSpace"</target> <note /> </trans-unit> <trans-unit id="Initialize_field_0"> <source>Initialize field '{0}'</source> <target state="translated">Inicializar campo "{0}"</target> <note /> </trans-unit> <trans-unit id="Initialize_property_0"> <source>Initialize property '{0}'</source> <target state="translated">Inicializar propiedad "{0}"</target> <note /> </trans-unit> <trans-unit id="Add_null_checks"> <source>Add null checks</source> <target state="translated">Agregar comprobaciones de valores null</target> <note /> </trans-unit> <trans-unit id="Generate_operators"> <source>Generate operators</source> <target state="translated">Generar operadores</target> <note /> </trans-unit> <trans-unit id="Implement_0"> <source>Implement {0}</source> <target state="translated">Implementar {0}</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_in_file_1_which_is_not_part_of_the_compilation_being_analyzed"> <source>Reported diagnostic '{0}' has a source location in file '{1}', which is not part of the compilation being analyzed.</source> <target state="translated">El diagnóstico notificado "{0}" tiene una ubicación de origen en el archivo "{1}", que no forma parte de la compilación que se está analizando.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_1_in_file_2_which_is_outside_of_the_given_file"> <source>Reported diagnostic '{0}' has a source location '{1}' in file '{2}', which is outside of the given file.</source> <target state="translated">El diagnóstico notificado "{0}" tiene una ubicación de origen "{1}" en el archivo "{2}", que está fuera del archivo dado.</target> <note /> </trans-unit> <trans-unit id="in_0_project_1"> <source>in {0} (project {1})</source> <target state="translated">en {0} (proyecto {1})</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Agregar modificadores de accesibilidad</target> <note /> </trans-unit> <trans-unit id="Move_declaration_near_reference"> <source>Move declaration near reference</source> <target state="translated">Mover la declaración cerca de la referencia</target> <note /> </trans-unit> <trans-unit id="Convert_to_full_property"> <source>Convert to full property</source> <target state="translated">Convertir en propiedad completa</target> <note /> </trans-unit> <trans-unit id="Warning_Method_overrides_symbol_from_metadata"> <source>Warning: Method overrides symbol from metadata</source> <target state="translated">Advertencia: El método reemplaza el símbolo de los metadatos.</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use {0}</source> <target state="translated">Usar {0}</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0_including_trailing_arguments"> <source>Add argument name '{0}' (including trailing arguments)</source> <target state="translated">Agregar el nombre de argumento "{0}" (incluidos los argumentos finales)</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">función local</target> <note /> </trans-unit> <trans-unit id="indexer_"> <source>indexer</source> <target state="translated">indizador</target> <note /> </trans-unit> <trans-unit id="Alias_ambiguous_type_0"> <source>Alias ambiguous type '{0}'</source> <target state="translated">Tipo de alias ambiguo "{0}"</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_was_modified_during_iteration"> <source>Warning: Collection was modified during iteration.</source> <target state="translated">Advertencia: la colección se modificó durante la iteración.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Iteration_variable_crossed_function_boundary"> <source>Warning: Iteration variable crossed function boundary.</source> <target state="translated">Advertencia: límite de función cruzada de variable de iteración.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_may_be_modified_during_iteration"> <source>Warning: Collection may be modified during iteration.</source> <target state="translated">Advertencia: es posible que la colección se modifique durante la iteración.</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time"> <source>universal full date/time</source> <target state="translated">fecha/hora completa universal</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time_description"> <source>The "U" standard format specifier represents a custom date and time format string that is defined by a specified culture's DateTimeFormatInfo.FullDateTimePattern property. The pattern is the same as the "F" pattern. However, the DateTime value is automatically converted to UTC before it is formatted.</source> <target state="translated">El especificador de formato estándar "U" representa una cadena de formato de fecha y hora personalizada que está definida por una propiedad DateTimeFormatInfo.FullDateTimePattern de una referencia cultural especificada. El patrón es igual que el patrón "F", pero el valor de DateTime se cambia automáticamente a UTC antes de darle formato.</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time"> <source>universal sortable date/time</source> <target state="translated">fecha/hora universal que se puede ordenar</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time_description"> <source>The "u" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.UniversalSortableDateTimePattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture. Although the result string should express a time as Coordinated Universal Time (UTC), no conversion of the original DateTime value is performed during the formatting operation. Therefore, you must convert a DateTime value to UTC by calling the DateTime.ToUniversalTime method before formatting it.</source> <target state="translated">El especificador de formato estándar "u" representa una cadena de formato de fecha y hora personalizado que está definida por la propiedad DateTimeFormatInfo.UniversalSortableDateTimePattern. El patrón refleja un estándar definido y la propiedad es de solo lectura. Por lo tanto, siempre es el mismo, independientemente de la referencia cultural utilizada o del proveedor de formato proporcionado. La cadena de formato personalizado es "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". Cuando se usa este especificador de formato estándar, la operación de formato o análisis utiliza siempre la referencia cultural invariable. Aunque la cadena de resultado debe expresar una hora como hora universal coordinada (UTC), no se realizará ninguna conversión del valor DateTime original durante la operación de formato. Por lo tanto, debe convertir un valor DateTime a UTC llamando al método DateTime.ToUniversalTime antes de aplicarle formato.</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_member"> <source>updating usages in containing member</source> <target state="translated">actualización de los usos en el miembro contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_project"> <source>updating usages in containing project</source> <target state="translated">actualización de usos en el proyecto contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_type"> <source>updating usages in containing type</source> <target state="translated">actualización de los usos en el tipo contenedor</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_dependent_projects"> <source>updating usages in dependent projects</source> <target state="translated">actualización de usos en proyectos dependientes</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset"> <source>utc hour and minute offset</source> <target state="translated">desfase en horas y minutos respecto a UTC</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset_description"> <source>With DateTime values, the "zzz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours and minutes. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zzz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours and minutes. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Con los valores de DateTime, el especificador de formato personalizado "zzz" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC, medido en horas y minutos. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "zzz" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor de DateTimeOffset con respecto a la hora UTC en horas y minutos. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits"> <source>utc hour offset (1-2 digits)</source> <target state="translated">desfase respecto a la hora UTC (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits_description"> <source>With DateTime values, the "z" custom format specifier represents the signed offset of the local operating system's time zone from Coordinated Universal Time (UTC), measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "z" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted without a leading zero. If the "z" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Con los valores de DateTime, el especificador de formato personalizado "z" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC (hora universal coordinada), medido en horas y minutos. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "z" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor de DateTimeOffset con respecto a la hora UTC en horas. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante. Si el especificador de formato "z" se usa sin otros especificadores de formato personalizados, se interpreta como un especificador de formato de fecha y hora estándar y produce una excepción de formato (FormatException).</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits"> <source>utc hour offset (2 digits)</source> <target state="translated">desfase respecto a la hora UTC (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits_description"> <source>With DateTime values, the "zz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Con valores de DateTime, el especificador de formato personalizado "zz" representa el desfase con signo de la zona horaria del sistema operativo local respecto a la hora UTC, medido en horas. No refleja el valor de la propiedad DateTime.Kind de una instancia. Por este motivo, no se recomienda usar el especificador de formato "zz" con valores de DateTime. Con valores de DateTimeOffset, este especificador de formato representa el desfase del valor DateTimeOffset con respecto a la hora UTC en horas. El desfase se muestra siempre con un signo delante. Un signo más (+) indica las horas de adelanto respecto a la hora UTC y un signo menos (-) indica las horas de retraso respecto a la hora UTC. Cuando el desfase es de un solo dígito, se le pone un cero delante.</target> <note /> </trans-unit> <trans-unit id="x_y_range_in_reverse_order"> <source>[x-y] range in reverse order</source> <target state="translated">rango [x-y] en orden inverso</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [b-a]</note> </trans-unit> <trans-unit id="year_1_2_digits"> <source>year (1-2 digits)</source> <target state="translated">año (1-2 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_1_2_digits_description"> <source>The "y" custom format specifier represents the year as a one-digit or two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the first digit of a two-digit year begins with a zero (for example, 2008), the number is formatted without a leading zero. If the "y" format specifier is used without other custom format specifiers, it's interpreted as the "y" standard date and time format specifier.</source> <target state="translated">El especificador de formato personalizado "y" representa el año como un número de uno o dos dígitos. Si el año tiene más de dos dígitos, en el resultado solo aparecen los dos dígitos de orden inferior. Si el primer dígito de un año de dos dígitos es un cero (por ejemplo, 2008), no se le pone un cero delante al número. Si el especificador de formato "y" se usa sin otros especificadores de formato personalizados, se interpreta como el especificador de formato de fecha y hora estándar "y".</target> <note /> </trans-unit> <trans-unit id="year_2_digits"> <source>year (2 digits)</source> <target state="translated">año (2 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_2_digits_description"> <source>The "yy" custom format specifier represents the year as a two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the two-digit year has fewer than two significant digits, the number is padded with leading zeros to produce two digits. In a parsing operation, a two-digit year that is parsed using the "yy" custom format specifier is interpreted based on the Calendar.TwoDigitYearMax property of the format provider's current calendar. The following example parses the string representation of a date that has a two-digit year by using the default Gregorian calendar of the en-US culture, which, in this case, is the current culture. It then changes the current culture's CultureInfo object to use a GregorianCalendar object whose TwoDigitYearMax property has been modified.</source> <target state="translated">El especificador de formato personalizado "yy" representa el año como un número de dos dígitos. Si el año tiene más de dos dígitos, en el resultado solo aparecen los dos dígitos de orden inferior. Si el año de dos dígitos tiene menos de dos dígitos significativos, se le pone un cero delante al número para tener dos dígitos. En una operación de análisis, un año de dos dígitos que se analiza con el especificador de formato personalizado "yy" se interpreta en función de la propiedad Calendar.TwoDigitYearMax del calendario actual del proveedor de formato. En el ejemplo siguiente se analiza la representación de cadena de una fecha que tiene un año de dos dígitos con el calendario gregoriano predeterminado de la referencia cultural en-US, que, en este caso, es la referencia cultural actual. Después, se cambia el objeto CultureInfo de la referencia cultural actual para que use un objeto GregorianCalendar cuya propiedad TwoDigitYearMax se ha modificado.</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits"> <source>year (3-4 digits)</source> <target state="translated">año (3-4 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits_description"> <source>The "yyy" custom format specifier represents the year with a minimum of three digits. If the year has more than three significant digits, they are included in the result string. If the year has fewer than three digits, the number is padded with leading zeros to produce three digits.</source> <target state="translated">El especificador de formato personalizado "yyy" representa el año con un mínimo de tres dígitos. Si el año tiene más de tres dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de tres dígitos, se le ponen ceros delante al número hasta tener tres dígitos.</target> <note /> </trans-unit> <trans-unit id="year_4_digits"> <source>year (4 digits)</source> <target state="translated">año (4 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_4_digits_description"> <source>The "yyyy" custom format specifier represents the year with a minimum of four digits. If the year has more than four significant digits, they are included in the result string. If the year has fewer than four digits, the number is padded with leading zeros to produce four digits.</source> <target state="translated">El especificador de formato personalizado "yyyy" representa el año con un mínimo de cuatro dígitos. Si el año tiene más de cuatro dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de cuatro dígitos, se le ponen ceros delante al número hasta tener cuatro dígitos.</target> <note /> </trans-unit> <trans-unit id="year_5_digits"> <source>year (5 digits)</source> <target state="translated">año (5 dígitos)</target> <note /> </trans-unit> <trans-unit id="year_5_digits_description"> <source>The "yyyyy" custom format specifier (plus any number of additional "y" specifiers) represents the year with a minimum of five digits. If the year has more than five significant digits, they are included in the result string. If the year has fewer than five digits, the number is padded with leading zeros to produce five digits. If there are additional "y" specifiers, the number is padded with as many leading zeros as necessary to produce the number of "y" specifiers.</source> <target state="translated">El especificador de formato personalizado "yyyyy" (más cualquier número de especificadores "y" adicionales) representa el año con un mínimo de cinco dígitos. Si el año tiene más de cinco dígitos significativos, se incluyen en la cadena de resultado. Si el año tiene menos de cinco dígitos, se le ponen ceros delante al número hasta tener cinco dígitos. Si hay especificadores "y" adicionales, al número se le ponen delante tantos ceros como sean necesarios para tener el número de especificadores "y".</target> <note /> </trans-unit> <trans-unit id="year_month"> <source>year month</source> <target state="translated">mes del año</target> <note /> </trans-unit> <trans-unit id="year_month_description"> <source>The "Y" or "y" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.YearMonthPattern property of a specified culture. For example, the custom format string for the invariant culture is "yyyy MMMM".</source> <target state="translated">El especificador de formato estándar "Y" o "y" representa una cadena de formato de fecha y hora personalizado definida por la propiedad DateTimeFormatInfo.YearMonthPattern de una referencia cultural especificada. Por ejemplo, la cadena de formato personalizado para la referencia cultural invariable es "yyyy MMMM".</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/Core.Wpf/xlf/EditorFeaturesWpfResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Generando proyecto</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Copiando selección en ventana interactiva.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Error al realizar el cambio de nombre: "{0}"</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Ejecutando selección en ventana interactiva.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Plataforma de proceso de host interactiva</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Imprima una lista de ensamblados de referencia.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Regex - comentario</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Regex - clase de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Regex - alternancia</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Regex - ancla</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Regex - cuantificador</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Regex - carácter de autoescape</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Regex - agrupación</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Regex - texto</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Regex - otro Escape</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Restablecer el entorno de ejecución al estado inicial, conservar el historial.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Restablecer a un entorno limpio (referencia exclusiva a mscorlib), no ejecutar el script de inicialización.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Restableciendo interactivo</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Restableciendo el motor de ejecución.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">La propiedad CurrentWindow solo se puede asignar una vez.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">No se admite el comando de referencias en esta implementación de ventana interactiva.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Generando proyecto</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Copiando selección en ventana interactiva.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Error al realizar el cambio de nombre: "{0}"</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Ejecutando selección en ventana interactiva.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Plataforma de proceso de host interactiva</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Imprima una lista de ensamblados de referencia.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Regex - comentario</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Regex - clase de caracteres</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Regex - alternancia</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Regex - ancla</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Regex - cuantificador</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Regex - carácter de autoescape</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Regex - agrupación</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Regex - texto</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Regex - otro Escape</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Restablecer el entorno de ejecución al estado inicial, conservar el historial.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Restablecer a un entorno limpio (referencia exclusiva a mscorlib), no ejecutar el script de inicialización.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Restableciendo interactivo</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Restableciendo el motor de ejecución.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">La propiedad CurrentWindow solo se puede asignar una vez.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">No se admite el comando de referencias en esta implementación de ventana interactiva.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Tools/ExternalAccess/FSharp/xlf/ExternalAccessFSharpResources.ru.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../ExternalAccessFSharpResources.resx"> <body> <trans-unit id="AddAssemblyReference"> <source>Add an assembly reference to '{0}'</source> <target state="translated">Добавить ссылку на сборку в "{0}"</target> <note /> </trans-unit> <trans-unit id="AddNewKeyword"> <source>Add 'new' keyword</source> <target state="translated">Добавить ключевое слово "new"</target> <note /> </trans-unit> <trans-unit id="AddProjectReference"> <source>Add a project reference to '{0}'</source> <target state="translated">Добавить ссылку на проект в "{0}"</target> <note /> </trans-unit> <trans-unit id="CannotDetermineSymbol"> <source>Cannot determine the symbol under the caret</source> <target state="translated">Не удается определить символ, на котором находится курсор.</target> <note /> </trans-unit> <trans-unit id="CannotNavigateUnknown"> <source>Cannot navigate to the requested location</source> <target state="translated">Не удается перейти к запрошенному расположению.</target> <note /> </trans-unit> <trans-unit id="ExceptionsHeader"> <source>Exceptions:</source> <target state="translated">Исключения:</target> <note /> </trans-unit> <trans-unit id="FSharpDisposablesClassificationType"> <source>F# Disposable Types</source> <target state="translated">Освобождаемые типы F#</target> <note /> </trans-unit> <trans-unit id="FSharpFunctionsOrMethodsClassificationType"> <source>F# Functions / Methods</source> <target state="translated">Функции и методы F#</target> <note /> </trans-unit> <trans-unit id="FSharpMutableVarsClassificationType"> <source>F# Mutable Variables / Reference Cells</source> <target state="translated">Изменяемые переменные и ссылки на ячейки F#</target> <note /> </trans-unit> <trans-unit id="FSharpPrintfFormatClassificationType"> <source>F# Printf Format</source> <target state="translated">Формат printf F#</target> <note /> </trans-unit> <trans-unit id="FSharpPropertiesClassificationType"> <source>F# Properties</source> <target state="translated">Свойства F#</target> <note /> </trans-unit> <trans-unit id="GenericParametersHeader"> <source>Generic parameters:</source> <target state="translated">Общие параметры:</target> <note /> </trans-unit> <trans-unit id="ImplementInterface"> <source>Implement interface</source> <target state="translated">Реализовать интерфейс</target> <note /> </trans-unit> <trans-unit id="ImplementInterfaceWithoutTypeAnnotation"> <source>Implement interface without type annotation</source> <target state="translated">Реализовать интерфейс без аннотации типа</target> <note /> </trans-unit> <trans-unit id="LocatingSymbol"> <source>Locating the symbol under the caret...</source> <target state="translated">Поиск символа, на котором находится курсор…</target> <note /> </trans-unit> <trans-unit id="NameCanBeSimplified"> <source>Name can be simplified.</source> <target state="translated">Имя может быть упрощено.</target> <note /> </trans-unit> <trans-unit id="NavigateToFailed"> <source>Navigate to symbol failed: {0}</source> <target state="translated">Не удалось перейти к символу: {0}</target> <note /> </trans-unit> <trans-unit id="NavigatingTo"> <source>Navigating to symbol...</source> <target state="translated">Переход к символу…</target> <note /> </trans-unit> <trans-unit id="PrefixValueNameWithUnderscore"> <source>Prefix '{0}' with underscore</source> <target state="translated">Добавить префикс в виде символа подчеркивания к "{0}"</target> <note /> </trans-unit> <trans-unit id="RemoveUnusedOpens"> <source>Remove unused open declarations</source> <target state="translated">Удалить неиспользуемые объявления open</target> <note /> </trans-unit> <trans-unit id="RenameValueToDoubleUnderscore"> <source>Rename '{0}' to '__'</source> <target state="translated">Переименовать "{0}" в "__"</target> <note /> </trans-unit> <trans-unit id="RenameValueToUnderscore"> <source>Rename '{0}' to '_'</source> <target state="translated">Переименовать "{0}" в "_"</target> <note /> </trans-unit> <trans-unit id="SimplifyName"> <source>Simplify name</source> <target state="translated">Упростить имя</target> <note /> </trans-unit> <trans-unit id="TheValueIsUnused"> <source>The value is unused</source> <target state="translated">Значение не используется</target> <note /> </trans-unit> <trans-unit id="UnusedOpens"> <source>Open declaration can be removed.</source> <target state="translated">Объявление open может быть удалено.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../ExternalAccessFSharpResources.resx"> <body> <trans-unit id="AddAssemblyReference"> <source>Add an assembly reference to '{0}'</source> <target state="translated">Добавить ссылку на сборку в "{0}"</target> <note /> </trans-unit> <trans-unit id="AddNewKeyword"> <source>Add 'new' keyword</source> <target state="translated">Добавить ключевое слово "new"</target> <note /> </trans-unit> <trans-unit id="AddProjectReference"> <source>Add a project reference to '{0}'</source> <target state="translated">Добавить ссылку на проект в "{0}"</target> <note /> </trans-unit> <trans-unit id="CannotDetermineSymbol"> <source>Cannot determine the symbol under the caret</source> <target state="translated">Не удается определить символ, на котором находится курсор.</target> <note /> </trans-unit> <trans-unit id="CannotNavigateUnknown"> <source>Cannot navigate to the requested location</source> <target state="translated">Не удается перейти к запрошенному расположению.</target> <note /> </trans-unit> <trans-unit id="ExceptionsHeader"> <source>Exceptions:</source> <target state="translated">Исключения:</target> <note /> </trans-unit> <trans-unit id="FSharpDisposablesClassificationType"> <source>F# Disposable Types</source> <target state="translated">Освобождаемые типы F#</target> <note /> </trans-unit> <trans-unit id="FSharpFunctionsOrMethodsClassificationType"> <source>F# Functions / Methods</source> <target state="translated">Функции и методы F#</target> <note /> </trans-unit> <trans-unit id="FSharpMutableVarsClassificationType"> <source>F# Mutable Variables / Reference Cells</source> <target state="translated">Изменяемые переменные и ссылки на ячейки F#</target> <note /> </trans-unit> <trans-unit id="FSharpPrintfFormatClassificationType"> <source>F# Printf Format</source> <target state="translated">Формат printf F#</target> <note /> </trans-unit> <trans-unit id="FSharpPropertiesClassificationType"> <source>F# Properties</source> <target state="translated">Свойства F#</target> <note /> </trans-unit> <trans-unit id="GenericParametersHeader"> <source>Generic parameters:</source> <target state="translated">Общие параметры:</target> <note /> </trans-unit> <trans-unit id="ImplementInterface"> <source>Implement interface</source> <target state="translated">Реализовать интерфейс</target> <note /> </trans-unit> <trans-unit id="ImplementInterfaceWithoutTypeAnnotation"> <source>Implement interface without type annotation</source> <target state="translated">Реализовать интерфейс без аннотации типа</target> <note /> </trans-unit> <trans-unit id="LocatingSymbol"> <source>Locating the symbol under the caret...</source> <target state="translated">Поиск символа, на котором находится курсор…</target> <note /> </trans-unit> <trans-unit id="NameCanBeSimplified"> <source>Name can be simplified.</source> <target state="translated">Имя может быть упрощено.</target> <note /> </trans-unit> <trans-unit id="NavigateToFailed"> <source>Navigate to symbol failed: {0}</source> <target state="translated">Не удалось перейти к символу: {0}</target> <note /> </trans-unit> <trans-unit id="NavigatingTo"> <source>Navigating to symbol...</source> <target state="translated">Переход к символу…</target> <note /> </trans-unit> <trans-unit id="PrefixValueNameWithUnderscore"> <source>Prefix '{0}' with underscore</source> <target state="translated">Добавить префикс в виде символа подчеркивания к "{0}"</target> <note /> </trans-unit> <trans-unit id="RemoveUnusedOpens"> <source>Remove unused open declarations</source> <target state="translated">Удалить неиспользуемые объявления open</target> <note /> </trans-unit> <trans-unit id="RenameValueToDoubleUnderscore"> <source>Rename '{0}' to '__'</source> <target state="translated">Переименовать "{0}" в "__"</target> <note /> </trans-unit> <trans-unit id="RenameValueToUnderscore"> <source>Rename '{0}' to '_'</source> <target state="translated">Переименовать "{0}" в "_"</target> <note /> </trans-unit> <trans-unit id="SimplifyName"> <source>Simplify name</source> <target state="translated">Упростить имя</target> <note /> </trans-unit> <trans-unit id="TheValueIsUnused"> <source>The value is unused</source> <target state="translated">Значение не используется</target> <note /> </trans-unit> <trans-unit id="UnusedOpens"> <source>Open declaration can be removed.</source> <target state="translated">Объявление open может быть удалено.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/SharedUtilitiesAndExtensions/Workspace/Core/xlf/WorkspaceExtensionsResources.pl.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../WorkspaceExtensionsResources.resx"> <body> <trans-unit id="Compilation_is_required_to_accomplish_the_task_but_is_not_supported_by_project_0"> <source>Compilation is required to accomplish the task but is not supported by project {0}.</source> <target state="translated">Ukończenie zadania wymaga kompilacji, ale nie jest ona obsługiwana przez projekt {0}.</target> <note /> </trans-unit> <trans-unit id="Fix_all_0"> <source>Fix all '{0}'</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}”</target> <note /> </trans-unit> <trans-unit id="Fix_all_0_in_1"> <source>Fix all '{0}' in '{1}'</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}” w zakresie „{1}”</target> <note /> </trans-unit> <trans-unit id="Fix_all_0_in_Solution"> <source>Fix all '{0}' in Solution</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}” w rozwiązaniu</target> <note /> </trans-unit> <trans-unit id="Project_of_ID_0_is_required_to_accomplish_the_task_but_is_not_available_from_the_solution"> <source>Project of ID {0} is required to accomplish the task but is not available from the solution</source> <target state="translated">Do wykonania zadania wymagany jest projekt o identyfikatorze {0}, ale nie jest on udostępniany przez rozwiązanie</target> <note /> </trans-unit> <trans-unit id="Supplied_diagnostic_cannot_be_null"> <source>Supplied diagnostic cannot be null.</source> <target state="translated">Podane informacje diagnostyczne nie mogą mieć wartości null.</target> <note /> </trans-unit> <trans-unit id="SyntaxTree_is_required_to_accomplish_the_task_but_is_not_supported_by_document_0"> <source>Syntax tree is required to accomplish the task but is not supported by document {0}.</source> <target state="translated">Ukończenie zadania wymaga drzewa składni, ale nie jest ono obsługiwane przez dokument {0}.</target> <note /> </trans-unit> <trans-unit id="The_solution_does_not_contain_the_specified_document"> <source>The solution does not contain the specified document.</source> <target state="translated">Rozwiązanie nie zawiera określonego dokumentu.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Declaration_changes_scope_and_may_change_meaning"> <source>Warning: Declaration changes scope and may change meaning.</source> <target state="translated">Ostrzeżenie: deklaracja zmienia zakres i może zmienić znaczenie.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../WorkspaceExtensionsResources.resx"> <body> <trans-unit id="Compilation_is_required_to_accomplish_the_task_but_is_not_supported_by_project_0"> <source>Compilation is required to accomplish the task but is not supported by project {0}.</source> <target state="translated">Ukończenie zadania wymaga kompilacji, ale nie jest ona obsługiwana przez projekt {0}.</target> <note /> </trans-unit> <trans-unit id="Fix_all_0"> <source>Fix all '{0}'</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}”</target> <note /> </trans-unit> <trans-unit id="Fix_all_0_in_1"> <source>Fix all '{0}' in '{1}'</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}” w zakresie „{1}”</target> <note /> </trans-unit> <trans-unit id="Fix_all_0_in_Solution"> <source>Fix all '{0}' in Solution</source> <target state="translated">Napraw wszystkie wystąpienia elementu „{0}” w rozwiązaniu</target> <note /> </trans-unit> <trans-unit id="Project_of_ID_0_is_required_to_accomplish_the_task_but_is_not_available_from_the_solution"> <source>Project of ID {0} is required to accomplish the task but is not available from the solution</source> <target state="translated">Do wykonania zadania wymagany jest projekt o identyfikatorze {0}, ale nie jest on udostępniany przez rozwiązanie</target> <note /> </trans-unit> <trans-unit id="Supplied_diagnostic_cannot_be_null"> <source>Supplied diagnostic cannot be null.</source> <target state="translated">Podane informacje diagnostyczne nie mogą mieć wartości null.</target> <note /> </trans-unit> <trans-unit id="SyntaxTree_is_required_to_accomplish_the_task_but_is_not_supported_by_document_0"> <source>Syntax tree is required to accomplish the task but is not supported by document {0}.</source> <target state="translated">Ukończenie zadania wymaga drzewa składni, ale nie jest ono obsługiwane przez dokument {0}.</target> <note /> </trans-unit> <trans-unit id="The_solution_does_not_contain_the_specified_document"> <source>The solution does not contain the specified document.</source> <target state="translated">Rozwiązanie nie zawiera określonego dokumentu.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Declaration_changes_scope_and_may_change_meaning"> <source>Warning: Declaration changes scope and may change meaning.</source> <target state="translated">Ostrzeżenie: deklaracja zmienia zakres i może zmienić znaczenie.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/VisualBasic/xlf/VisualBasicCompilerExtensionsResources.ko.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VisualBasicCompilerExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">다른 값을 추가할 때 이 값을 제거하세요.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VisualBasicCompilerExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">다른 값을 추가할 때 이 값을 제거하세요.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Features/CSharp/Portable/xlf/CSharpFeaturesResources.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../CSharpFeaturesResources.resx"> <body> <trans-unit id="Add_await"> <source>Add 'await'</source> <target state="translated">'await' ekleyin</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_await_and_ConfigureAwaitFalse"> <source>Add 'await' and 'ConfigureAwait(false)'</source> <target state="translated">'await' ve 'ConfigureAwait(false)' ekleyin</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_missing_usings"> <source>Add missing usings</source> <target state="translated">Eksik usings Ekle</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_remove_braces_for_single_line_control_statements"> <source>Add/remove braces for single-line control statements</source> <target state="translated">Tek satır denetim deyimleri için küme ayracı ekle/küme ayraçlarını kaldır</target> <note /> </trans-unit> <trans-unit id="Allow_unsafe_code_in_this_project"> <source>Allow unsafe code in this project</source> <target state="translated">Bu projede güvenli olmayan koda izin ver</target> <note /> </trans-unit> <trans-unit id="Apply_expression_block_body_preferences"> <source>Apply expression/block body preferences</source> <target state="translated">İfade/blok gövdesi tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_implicit_explicit_type_preferences"> <source>Apply implicit/explicit type preferences</source> <target state="translated">Örtük/açık tür tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_inline_out_variable_preferences"> <source>Apply inline 'out' variables preferences</source> <target state="translated">Satır içi 'out' değişkenlerine ilişkin tercihleri uygula</target> <note /> </trans-unit> <trans-unit id="Apply_language_framework_type_preferences"> <source>Apply language/framework type preferences</source> <target state="translated">Dil/çerçeve türü tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_this_qualification_preferences"> <source>Apply 'this.' qualification preferences</source> <target state="translated">'this.' nitelemesi tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_using_directive_placement_preferences"> <source>Apply preferred 'using' placement preferences</source> <target state="translated">Tercih edilen 'using' yerleştirme tercihlerini uygulayın</target> <note>'using' is a C# keyword and should not be localized</note> </trans-unit> <trans-unit id="Assign_out_parameters"> <source>Assign 'out' parameters</source> <target state="translated">'out' parametreleri ata</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Assign_out_parameters_at_start"> <source>Assign 'out' parameters (at start)</source> <target state="translated">'out' parametreleri ata (başlangıçta)</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Assign_to_0"> <source>Assign to '{0}'</source> <target state="translated">'{0}' öğesine ata</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_pattern_variable_declaration"> <source>Autoselect disabled due to potential pattern variable declaration.</source> <target state="translated">Otomatik seçim, olası desen değişkeni bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Change_to_as_expression"> <source>Change to 'as' expression</source> <target state="translated">'as' ifadesine değiştir</target> <note /> </trans-unit> <trans-unit id="Change_to_cast"> <source>Change to cast</source> <target state="translated">Tür dönüştürme olarak değiştir</target> <note /> </trans-unit> <trans-unit id="Compare_to_0"> <source>Compare to '{0}'</source> <target state="translated">'{0}' ile karşılaştır</target> <note /> </trans-unit> <trans-unit id="Convert_to_method"> <source>Convert to method</source> <target state="translated">Yönteme dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_regular_string"> <source>Convert to regular string</source> <target state="translated">Normal dizeye dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_switch_expression"> <source>Convert to 'switch' expression</source> <target state="translated">'switch' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_switch_statement"> <source>Convert to 'switch' statement</source> <target state="translated">'switch' ifadesine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_verbatim_string"> <source>Convert to verbatim string</source> <target state="translated">Düz metin dizesine dönüştür</target> <note /> </trans-unit> <trans-unit id="Declare_as_nullable"> <source>Declare as nullable</source> <target state="translated">Olarak null olabilecek ilan</target> <note /> </trans-unit> <trans-unit id="Fix_return_type"> <source>Fix return type</source> <target state="translated">Dönüş türünü düzelt</target> <note /> </trans-unit> <trans-unit id="Inline_temporary_variable"> <source>Inline temporary variable</source> <target state="translated">Satır içi geçici değişken</target> <note /> </trans-unit> <trans-unit id="Conflict_s_detected"> <source>Conflict(s) detected.</source> <target state="translated">Çakışmalar algılandı.</target> <note /> </trans-unit> <trans-unit id="Make_private_field_readonly_when_possible"> <source>Make private fields readonly when possible</source> <target state="translated">Özel alanları mümkün olduğunda salt okunur yap</target> <note /> </trans-unit> <trans-unit id="Make_ref_struct"> <source>Make 'ref struct'</source> <target state="translated">'ref struct' yap</target> <note>{Locked="ref"}{Locked="struct"} "ref" and "struct" are C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Remove_in_keyword"> <source>Remove 'in' keyword</source> <target state="translated">'in' anahtar sözcüğünü kaldır</target> <note>{Locked="in"} "in" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Remove_new_modifier"> <source>Remove 'new' modifier</source> <target state="translated">'New' değiştiricisini kaldır</target> <note /> </trans-unit> <trans-unit id="Reverse_for_statement"> <source>Reverse 'for' statement</source> <target state="translated">'for' ifadesini tersine çevir</target> <note>{Locked="for"} "for" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Simplify_lambda_expression"> <source>Simplify lambda expression</source> <target state="translated">Lambda ifadesini basitleştir</target> <note /> </trans-unit> <trans-unit id="Simplify_all_occurrences"> <source>Simplify all occurrences</source> <target state="translated">Tüm yinelemeleri basitleştir</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Erişilebilirlik değiştiricilerini sırala</target> <note /> </trans-unit> <trans-unit id="Unseal_class_0"> <source>Unseal class '{0}'</source> <target state="translated">'{0}' sınıfının mührünü aç</target> <note /> </trans-unit> <trans-unit id="Use_recursive_patterns"> <source>Use recursive patterns</source> <target state="new">Use recursive patterns</target> <note /> </trans-unit> <trans-unit id="Warning_Inlining_temporary_into_conditional_method_call"> <source>Warning: Inlining temporary into conditional method call.</source> <target state="translated">Uyarı: Koşullu yöntem çağrısında geçici öğe satır içinde kullanılıyor.</target> <note /> </trans-unit> <trans-unit id="Warning_Inlining_temporary_variable_may_change_code_meaning"> <source>Warning: Inlining temporary variable may change code meaning.</source> <target state="translated">Uyarı: Geçici değişkeni satır içinde belirtmek kod anlamını değişebilir.</target> <note /> </trans-unit> <trans-unit id="asynchronous_foreach_statement"> <source>asynchronous foreach statement</source> <target state="translated">zaman uyumsuz foreach deyimi</target> <note>{Locked="foreach"} "foreach" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="asynchronous_using_declaration"> <source>asynchronous using declaration</source> <target state="translated">zaman uyumsuz using bildirimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="extern_alias"> <source>extern alias</source> <target state="translated">dış diğer ad</target> <note /> </trans-unit> <trans-unit id="lambda_expression"> <source>&lt;lambda expression&gt;</source> <target state="translated">&lt; lambda ifadesi &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_lambda_declaration"> <source>Autoselect disabled due to potential lambda declaration.</source> <target state="translated">Otomatik seçim, olası lambda bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="local_variable_declaration"> <source>local variable declaration</source> <target state="translated">yerel değişken bildirimi</target> <note /> </trans-unit> <trans-unit id="member_name"> <source>&lt;member name&gt; = </source> <target state="translated">&lt; üye adı &gt; = </target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_explicitly_named_anonymous_type_member_creation"> <source>Autoselect disabled due to possible explicitly named anonymous type member creation.</source> <target state="translated">Otomatik seçim, olası açık adlı anonim tür üyesi oluşturma nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="element_name"> <source>&lt;element name&gt; : </source> <target state="translated">&lt; öğe adı &gt;: </target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_tuple_type_element_creation"> <source>Autoselect disabled due to possible tuple type element creation.</source> <target state="translated">Olası demet türü öğe oluşturma işleminden dolayı Otomatik seçim devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="pattern_variable"> <source>&lt;pattern variable&gt;</source> <target state="translated">&lt;desen değişkeni&gt;</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>&lt;range variable&gt;</source> <target state="translated">&lt; Aralık değişkeni &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_range_variable_declaration"> <source>Autoselect disabled due to potential range variable declaration.</source> <target state="translated">Otomatik seçim, olası aralık değişkeni bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Simplify_name_0"> <source>Simplify name '{0}'</source> <target state="translated">'{0}' adını basitleştir</target> <note /> </trans-unit> <trans-unit id="Simplify_member_access_0"> <source>Simplify member access '{0}'</source> <target state="translated">'{0}' üye erişimini basitleştir</target> <note /> </trans-unit> <trans-unit id="Remove_this_qualification"> <source>Remove 'this' qualification</source> <target state="translated">this' nitelemesini kaldır</target> <note /> </trans-unit> <trans-unit id="Name_can_be_simplified"> <source>Name can be simplified</source> <target state="translated">Ad basitleştirilebilir</target> <note /> </trans-unit> <trans-unit id="Can_t_determine_valid_range_of_statements_to_extract"> <source>Can't determine valid range of statements to extract</source> <target state="translated">Ayıklanacak deyimlerin geçerli aralığı belirlenemiyor</target> <note /> </trans-unit> <trans-unit id="Not_all_code_paths_return"> <source>Not all code paths return</source> <target state="translated">Kod yollarından bazıları dönmüyor</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_node"> <source>Selection does not contain a valid node</source> <target state="translated">Seçim, geçerli bir düğüm içermiyor</target> <note /> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="translated">Geçersiz seçim.</target> <note /> </trans-unit> <trans-unit id="Contains_invalid_selection"> <source>Contains invalid selection.</source> <target state="translated">Geçersiz seçimi içerir.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_syntactic_errors"> <source>The selection contains syntactic errors</source> <target state="translated">Seçim söz dizimsel hatalar içeriyor</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_cross_over_preprocessor_directives"> <source>Selection can not cross over preprocessor directives.</source> <target state="translated">Seçim önişlemci yönergeleriyle çapraz olamaz.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_a_yield_statement"> <source>Selection can not contain a yield statement.</source> <target state="translated">Seçim bir bırakma ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_throw_statement"> <source>Selection can not contain throw statement.</source> <target state="translated">Seçim bir atma ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_be_part_of_constant_initializer_expression"> <source>Selection can not be part of constant initializer expression.</source> <target state="translated">Seçim, sabit başlatıcı ifadesinin parçası olamaz.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_a_pattern_expression"> <source>Selection can not contain a pattern expression.</source> <target state="translated">Seçim, bir desen ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="The_selected_code_is_inside_an_unsafe_context"> <source>The selected code is inside an unsafe context.</source> <target state="translated">Seçili kod güvenli olmayan bir bağlam içinde.</target> <note /> </trans-unit> <trans-unit id="No_valid_statement_range_to_extract"> <source>No valid statement range to extract</source> <target state="translated">Ayıklanacak geçerli deyim aralığı yok</target> <note /> </trans-unit> <trans-unit id="deprecated"> <source>deprecated</source> <target state="translated">kullanım dışı</target> <note /> </trans-unit> <trans-unit id="extension"> <source>extension</source> <target state="translated">uzantı</target> <note /> </trans-unit> <trans-unit id="awaitable"> <source>awaitable</source> <target state="translated">awaitable</target> <note /> </trans-unit> <trans-unit id="awaitable_extension"> <source>awaitable, extension</source> <target state="translated">awaitable, uzantı</target> <note /> </trans-unit> <trans-unit id="Organize_Usings"> <source>Organize Usings</source> <target state="translated">Kullanımları Düzenle</target> <note /> </trans-unit> <trans-unit id="Insert_await"> <source>Insert 'await'.</source> <target state="translated">await' ekle.</target> <note /> </trans-unit> <trans-unit id="Make_0_return_Task_instead_of_void"> <source>Make {0} return Task instead of void.</source> <target state="translated">{0} öğesi boşluk yerine Görev döndürsün.</target> <note /> </trans-unit> <trans-unit id="Change_return_type_from_0_to_1"> <source>Change return type from {0} to {1}</source> <target state="translated">Dönüş türünü {0} değerinden {1} olarak değiştir</target> <note /> </trans-unit> <trans-unit id="Replace_return_with_yield_return"> <source>Replace return with yield return</source> <target state="translated">Dönüşü, bırakma dönüşüyle değiştir</target> <note /> </trans-unit> <trans-unit id="Generate_explicit_conversion_operator_in_0"> <source>Generate explicit conversion operator in '{0}'</source> <target state="translated">'{0}' içinde açık dönüşüm işleci oluştur</target> <note /> </trans-unit> <trans-unit id="Generate_implicit_conversion_operator_in_0"> <source>Generate implicit conversion operator in '{0}'</source> <target state="translated">'{0}' içinde örtük dönüşüm işleci oluştur</target> <note /> </trans-unit> <trans-unit id="record_"> <source>record</source> <target state="translated">kayıt</target> <note /> </trans-unit> <trans-unit id="record_struct"> <source>record struct</source> <target state="new">record struct</target> <note /> </trans-unit> <trans-unit id="switch_statement"> <source>switch statement</source> <target state="translated">switch deyimi</target> <note>{Locked="switch"} "switch" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="switch_statement_case_clause"> <source>switch statement case clause</source> <target state="translated">switch deyimi case yan tümcesi</target> <note>{Locked="switch"}{Locked="case"} "switch" and "case" are a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="try_block"> <source>try block</source> <target state="translated">try bloğu</target> <note>{Locked="try"} "try" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="catch_clause"> <source>catch clause</source> <target state="translated">catch yan tümcesi</target> <note>{Locked="catch"} "catch" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="filter_clause"> <source>filter clause</source> <target state="translated">filter yan tümcesi</target> <note /> </trans-unit> <trans-unit id="finally_clause"> <source>finally clause</source> <target state="translated">finally yan tümcesi</target> <note>{Locked="finally"} "finally" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="fixed_statement"> <source>fixed statement</source> <target state="translated">fixed deyimi</target> <note>{Locked="fixed"} "fixed" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_declaration"> <source>using declaration</source> <target state="translated">using bildirimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_statement"> <source>using statement</source> <target state="translated">using deyimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="lock_statement"> <source>lock statement</source> <target state="translated">lock deyimi</target> <note>{Locked="lock"} "lock" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="foreach_statement"> <source>foreach statement</source> <target state="translated">foreach deyimi</target> <note>{Locked="foreach"} "foreach" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="checked_statement"> <source>checked statement</source> <target state="translated">checked deyimi</target> <note>{Locked="checked"} "checked" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="unchecked_statement"> <source>unchecked statement</source> <target state="translated">unchecked deyimi</target> <note>{Locked="unchecked"} "unchecked" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="await_expression"> <source>await expression</source> <target state="translated">await ifadesi</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="lambda"> <source>lambda</source> <target state="translated">lambda</target> <note /> </trans-unit> <trans-unit id="anonymous_method"> <source>anonymous method</source> <target state="translated">anonim yöntem</target> <note /> </trans-unit> <trans-unit id="from_clause"> <source>from clause</source> <target state="translated">from yan tümcesi</target> <note /> </trans-unit> <trans-unit id="join_clause"> <source>join clause</source> <target state="translated">join yan tümcesi</target> <note>{Locked="join"} "join" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="let_clause"> <source>let clause</source> <target state="translated">let yan tümcesi</target> <note>{Locked="let"} "let" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="where_clause"> <source>where clause</source> <target state="translated">where yan tümcesi</target> <note>{Locked="where"} "where" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="orderby_clause"> <source>orderby clause</source> <target state="translated">orderby yan tümcesi</target> <note>{Locked="orderby"} "orderby" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="select_clause"> <source>select clause</source> <target state="translated">select yan tümcesi</target> <note>{Locked="select"} "select" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="groupby_clause"> <source>groupby clause</source> <target state="translated">groupby yan tümcesi</target> <note>{Locked="groupby"} "groupby" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="query_body"> <source>query body</source> <target state="translated">sorgu gövdesi</target> <note /> </trans-unit> <trans-unit id="into_clause"> <source>into clause</source> <target state="translated">into yan tümcesi</target> <note>{Locked="into"} "into" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="is_pattern"> <source>is pattern</source> <target state="translated">is deseni</target> <note>{Locked="is"} "is" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="deconstruction"> <source>deconstruction</source> <target state="translated">ayrıştırma</target> <note /> </trans-unit> <trans-unit id="tuple"> <source>tuple</source> <target state="translated">demet</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">yerel işlev</target> <note /> </trans-unit> <trans-unit id="out_var"> <source>out variable</source> <target state="translated">out değişkeni</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="ref_local_or_expression"> <source>ref local or expression</source> <target state="translated">yerel ref veya ifade</target> <note>{Locked="ref"} "ref" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="global_statement"> <source>global statement</source> <target state="translated">global deyimi</target> <note>{Locked="global"} "global" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_directive"> <source>using directive</source> <target state="translated">using yönergesi</target> <note /> </trans-unit> <trans-unit id="event_field"> <source>event field</source> <target state="translated">olay alanı</target> <note /> </trans-unit> <trans-unit id="conversion_operator"> <source>conversion operator</source> <target state="translated">dönüştürme işleci</target> <note /> </trans-unit> <trans-unit id="destructor"> <source>destructor</source> <target state="translated">yok edici</target> <note /> </trans-unit> <trans-unit id="indexer"> <source>indexer</source> <target state="translated">dizin oluşturucu</target> <note /> </trans-unit> <trans-unit id="property_getter"> <source>property getter</source> <target state="translated">özellik alıcısı</target> <note /> </trans-unit> <trans-unit id="indexer_getter"> <source>indexer getter</source> <target state="translated">dizin oluşturucu alıcısı</target> <note /> </trans-unit> <trans-unit id="property_setter"> <source>property setter</source> <target state="translated">özellik ayarlayıcısı</target> <note /> </trans-unit> <trans-unit id="indexer_setter"> <source>indexer setter</source> <target state="translated">dizin oluşturucu ayarlayıcısı</target> <note /> </trans-unit> <trans-unit id="attribute_target"> <source>attribute target</source> <target state="translated">öznitelik hedefi</target> <note /> </trans-unit> <trans-unit id="_0_does_not_contain_a_constructor_that_takes_that_many_arguments"> <source>'{0}' does not contain a constructor that takes that many arguments.</source> <target state="translated">'{0}' bu kadar çok sayıda bağımsız değişken alan bir oluşturucu içermiyor.</target> <note /> </trans-unit> <trans-unit id="The_name_0_does_not_exist_in_the_current_context"> <source>The name '{0}' does not exist in the current context.</source> <target state="translated">'{0}' adı geçerli bağlamda yok.</target> <note /> </trans-unit> <trans-unit id="Hide_base_member"> <source>Hide base member</source> <target state="translated">Temel üyeyi gizle</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Özellikler</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_namespace_declaration"> <source>Autoselect disabled due to namespace declaration.</source> <target state="translated">Ad alanı bildirimi nedeniyle otomatik seçme devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="namespace_name"> <source>&lt;namespace name&gt;</source> <target state="translated">&lt; ad alanı adı &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_type_declaration"> <source>Autoselect disabled due to type declaration.</source> <target state="translated">Tür bildirimine göre devre dışı bırakılanı otomatik olarak seç.</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_deconstruction_declaration"> <source>Autoselect disabled due to possible deconstruction declaration.</source> <target state="translated">Otomatik seçim, olası ayrıştırma bildiriminden dolayı devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Upgrade_this_project_to_csharp_language_version_0"> <source>Upgrade this project to C# language version '{0}'</source> <target state="translated">Bu projeyi C# '{0}' dil sürümüne yükselt</target> <note /> </trans-unit> <trans-unit id="Upgrade_all_csharp_projects_to_language_version_0"> <source>Upgrade all C# projects to language version '{0}'</source> <target state="translated">Tüm C# projelerini '{0}' dil sürümüne yükselt</target> <note /> </trans-unit> <trans-unit id="class_name"> <source>&lt;class name&gt;</source> <target state="translated">&lt; sınıf adı &gt;</target> <note /> </trans-unit> <trans-unit id="interface_name"> <source>&lt;interface name&gt;</source> <target state="translated">&lt; arabirim adı &gt;</target> <note /> </trans-unit> <trans-unit id="designation_name"> <source>&lt;designation name&gt;</source> <target state="translated">&lt; atama adı &gt;</target> <note /> </trans-unit> <trans-unit id="struct_name"> <source>&lt;struct name&gt;</source> <target state="translated">&lt; yapı adı &gt;</target> <note /> </trans-unit> <trans-unit id="Make_method_async"> <source>Make method async</source> <target state="translated">Metodu asenkron yap</target> <note /> </trans-unit> <trans-unit id="Make_method_async_remain_void"> <source>Make method async (stay void)</source> <target state="translated">Metodu zaman uyumsuz yap (void olarak bırak)</target> <note /> </trans-unit> <trans-unit id="Name"> <source>&lt;Name&gt;</source> <target state="translated">&lt; ad &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_member_declaration"> <source>Autoselect disabled due to member declaration</source> <target state="translated">Üye bildirimi nedeniyle otomatik seçim devre dışı</target> <note /> </trans-unit> <trans-unit id="Suggested_name"> <source>(Suggested name)</source> <target state="translated">(Önerilen ad)</target> <note /> </trans-unit> <trans-unit id="Remove_unused_function"> <source>Remove unused function</source> <target state="translated">Kullanılmayan işlevi kaldır</target> <note /> </trans-unit> <trans-unit id="Add_parentheses_around_conditional_expression_in_interpolated_string"> <source>Add parentheses</source> <target state="translated">Parantez ekle</target> <note /> </trans-unit> <trans-unit id="Convert_to_foreach"> <source>Convert to 'foreach'</source> <target state="translated">'foreach' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_for"> <source>Convert to 'for'</source> <target state="translated">'for' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Invert_if"> <source>Invert if</source> <target state="translated">if ifadesini tersine çevir</target> <note /> </trans-unit> <trans-unit id="Add_Obsolete"> <source>Add [Obsolete]</source> <target state="translated">Ekle [Eski]</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use '{0}'</source> <target state="translated">'{0}' kullan</target> <note /> </trans-unit> <trans-unit id="Introduce_using_statement"> <source>Introduce 'using' statement</source> <target state="translated">'using' deyimi ekle</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="yield_break_statement"> <source>yield break statement</source> <target state="translated">yield break deyimi</target> <note>{Locked="yield break"} "yield break" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="yield_return_statement"> <source>yield return statement</source> <target state="translated">yield return deyimi</target> <note>{Locked="yield return"} "yield return" is a C# keyword and should not be localized.</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../CSharpFeaturesResources.resx"> <body> <trans-unit id="Add_await"> <source>Add 'await'</source> <target state="translated">'await' ekleyin</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_await_and_ConfigureAwaitFalse"> <source>Add 'await' and 'ConfigureAwait(false)'</source> <target state="translated">'await' ve 'ConfigureAwait(false)' ekleyin</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_missing_usings"> <source>Add missing usings</source> <target state="translated">Eksik usings Ekle</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Add_remove_braces_for_single_line_control_statements"> <source>Add/remove braces for single-line control statements</source> <target state="translated">Tek satır denetim deyimleri için küme ayracı ekle/küme ayraçlarını kaldır</target> <note /> </trans-unit> <trans-unit id="Allow_unsafe_code_in_this_project"> <source>Allow unsafe code in this project</source> <target state="translated">Bu projede güvenli olmayan koda izin ver</target> <note /> </trans-unit> <trans-unit id="Apply_expression_block_body_preferences"> <source>Apply expression/block body preferences</source> <target state="translated">İfade/blok gövdesi tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_implicit_explicit_type_preferences"> <source>Apply implicit/explicit type preferences</source> <target state="translated">Örtük/açık tür tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_inline_out_variable_preferences"> <source>Apply inline 'out' variables preferences</source> <target state="translated">Satır içi 'out' değişkenlerine ilişkin tercihleri uygula</target> <note /> </trans-unit> <trans-unit id="Apply_language_framework_type_preferences"> <source>Apply language/framework type preferences</source> <target state="translated">Dil/çerçeve türü tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_this_qualification_preferences"> <source>Apply 'this.' qualification preferences</source> <target state="translated">'this.' nitelemesi tercihlerini uygula</target> <note /> </trans-unit> <trans-unit id="Apply_using_directive_placement_preferences"> <source>Apply preferred 'using' placement preferences</source> <target state="translated">Tercih edilen 'using' yerleştirme tercihlerini uygulayın</target> <note>'using' is a C# keyword and should not be localized</note> </trans-unit> <trans-unit id="Assign_out_parameters"> <source>Assign 'out' parameters</source> <target state="translated">'out' parametreleri ata</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Assign_out_parameters_at_start"> <source>Assign 'out' parameters (at start)</source> <target state="translated">'out' parametreleri ata (başlangıçta)</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Assign_to_0"> <source>Assign to '{0}'</source> <target state="translated">'{0}' öğesine ata</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_pattern_variable_declaration"> <source>Autoselect disabled due to potential pattern variable declaration.</source> <target state="translated">Otomatik seçim, olası desen değişkeni bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Change_to_as_expression"> <source>Change to 'as' expression</source> <target state="translated">'as' ifadesine değiştir</target> <note /> </trans-unit> <trans-unit id="Change_to_cast"> <source>Change to cast</source> <target state="translated">Tür dönüştürme olarak değiştir</target> <note /> </trans-unit> <trans-unit id="Compare_to_0"> <source>Compare to '{0}'</source> <target state="translated">'{0}' ile karşılaştır</target> <note /> </trans-unit> <trans-unit id="Convert_to_method"> <source>Convert to method</source> <target state="translated">Yönteme dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_regular_string"> <source>Convert to regular string</source> <target state="translated">Normal dizeye dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_switch_expression"> <source>Convert to 'switch' expression</source> <target state="translated">'switch' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_switch_statement"> <source>Convert to 'switch' statement</source> <target state="translated">'switch' ifadesine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_verbatim_string"> <source>Convert to verbatim string</source> <target state="translated">Düz metin dizesine dönüştür</target> <note /> </trans-unit> <trans-unit id="Declare_as_nullable"> <source>Declare as nullable</source> <target state="translated">Olarak null olabilecek ilan</target> <note /> </trans-unit> <trans-unit id="Fix_return_type"> <source>Fix return type</source> <target state="translated">Dönüş türünü düzelt</target> <note /> </trans-unit> <trans-unit id="Inline_temporary_variable"> <source>Inline temporary variable</source> <target state="translated">Satır içi geçici değişken</target> <note /> </trans-unit> <trans-unit id="Conflict_s_detected"> <source>Conflict(s) detected.</source> <target state="translated">Çakışmalar algılandı.</target> <note /> </trans-unit> <trans-unit id="Make_private_field_readonly_when_possible"> <source>Make private fields readonly when possible</source> <target state="translated">Özel alanları mümkün olduğunda salt okunur yap</target> <note /> </trans-unit> <trans-unit id="Make_ref_struct"> <source>Make 'ref struct'</source> <target state="translated">'ref struct' yap</target> <note>{Locked="ref"}{Locked="struct"} "ref" and "struct" are C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Remove_in_keyword"> <source>Remove 'in' keyword</source> <target state="translated">'in' anahtar sözcüğünü kaldır</target> <note>{Locked="in"} "in" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Remove_new_modifier"> <source>Remove 'new' modifier</source> <target state="translated">'New' değiştiricisini kaldır</target> <note /> </trans-unit> <trans-unit id="Reverse_for_statement"> <source>Reverse 'for' statement</source> <target state="translated">'for' ifadesini tersine çevir</target> <note>{Locked="for"} "for" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Simplify_lambda_expression"> <source>Simplify lambda expression</source> <target state="translated">Lambda ifadesini basitleştir</target> <note /> </trans-unit> <trans-unit id="Simplify_all_occurrences"> <source>Simplify all occurrences</source> <target state="translated">Tüm yinelemeleri basitleştir</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Erişilebilirlik değiştiricilerini sırala</target> <note /> </trans-unit> <trans-unit id="Unseal_class_0"> <source>Unseal class '{0}'</source> <target state="translated">'{0}' sınıfının mührünü aç</target> <note /> </trans-unit> <trans-unit id="Use_recursive_patterns"> <source>Use recursive patterns</source> <target state="new">Use recursive patterns</target> <note /> </trans-unit> <trans-unit id="Warning_Inlining_temporary_into_conditional_method_call"> <source>Warning: Inlining temporary into conditional method call.</source> <target state="translated">Uyarı: Koşullu yöntem çağrısında geçici öğe satır içinde kullanılıyor.</target> <note /> </trans-unit> <trans-unit id="Warning_Inlining_temporary_variable_may_change_code_meaning"> <source>Warning: Inlining temporary variable may change code meaning.</source> <target state="translated">Uyarı: Geçici değişkeni satır içinde belirtmek kod anlamını değişebilir.</target> <note /> </trans-unit> <trans-unit id="asynchronous_foreach_statement"> <source>asynchronous foreach statement</source> <target state="translated">zaman uyumsuz foreach deyimi</target> <note>{Locked="foreach"} "foreach" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="asynchronous_using_declaration"> <source>asynchronous using declaration</source> <target state="translated">zaman uyumsuz using bildirimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="extern_alias"> <source>extern alias</source> <target state="translated">dış diğer ad</target> <note /> </trans-unit> <trans-unit id="lambda_expression"> <source>&lt;lambda expression&gt;</source> <target state="translated">&lt; lambda ifadesi &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_lambda_declaration"> <source>Autoselect disabled due to potential lambda declaration.</source> <target state="translated">Otomatik seçim, olası lambda bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="local_variable_declaration"> <source>local variable declaration</source> <target state="translated">yerel değişken bildirimi</target> <note /> </trans-unit> <trans-unit id="member_name"> <source>&lt;member name&gt; = </source> <target state="translated">&lt; üye adı &gt; = </target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_explicitly_named_anonymous_type_member_creation"> <source>Autoselect disabled due to possible explicitly named anonymous type member creation.</source> <target state="translated">Otomatik seçim, olası açık adlı anonim tür üyesi oluşturma nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="element_name"> <source>&lt;element name&gt; : </source> <target state="translated">&lt; öğe adı &gt;: </target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_tuple_type_element_creation"> <source>Autoselect disabled due to possible tuple type element creation.</source> <target state="translated">Olası demet türü öğe oluşturma işleminden dolayı Otomatik seçim devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="pattern_variable"> <source>&lt;pattern variable&gt;</source> <target state="translated">&lt;desen değişkeni&gt;</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>&lt;range variable&gt;</source> <target state="translated">&lt; Aralık değişkeni &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_potential_range_variable_declaration"> <source>Autoselect disabled due to potential range variable declaration.</source> <target state="translated">Otomatik seçim, olası aralık değişkeni bildirimi nedeniyle devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Simplify_name_0"> <source>Simplify name '{0}'</source> <target state="translated">'{0}' adını basitleştir</target> <note /> </trans-unit> <trans-unit id="Simplify_member_access_0"> <source>Simplify member access '{0}'</source> <target state="translated">'{0}' üye erişimini basitleştir</target> <note /> </trans-unit> <trans-unit id="Remove_this_qualification"> <source>Remove 'this' qualification</source> <target state="translated">this' nitelemesini kaldır</target> <note /> </trans-unit> <trans-unit id="Name_can_be_simplified"> <source>Name can be simplified</source> <target state="translated">Ad basitleştirilebilir</target> <note /> </trans-unit> <trans-unit id="Can_t_determine_valid_range_of_statements_to_extract"> <source>Can't determine valid range of statements to extract</source> <target state="translated">Ayıklanacak deyimlerin geçerli aralığı belirlenemiyor</target> <note /> </trans-unit> <trans-unit id="Not_all_code_paths_return"> <source>Not all code paths return</source> <target state="translated">Kod yollarından bazıları dönmüyor</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_node"> <source>Selection does not contain a valid node</source> <target state="translated">Seçim, geçerli bir düğüm içermiyor</target> <note /> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="translated">Geçersiz seçim.</target> <note /> </trans-unit> <trans-unit id="Contains_invalid_selection"> <source>Contains invalid selection.</source> <target state="translated">Geçersiz seçimi içerir.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_syntactic_errors"> <source>The selection contains syntactic errors</source> <target state="translated">Seçim söz dizimsel hatalar içeriyor</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_cross_over_preprocessor_directives"> <source>Selection can not cross over preprocessor directives.</source> <target state="translated">Seçim önişlemci yönergeleriyle çapraz olamaz.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_a_yield_statement"> <source>Selection can not contain a yield statement.</source> <target state="translated">Seçim bir bırakma ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_throw_statement"> <source>Selection can not contain throw statement.</source> <target state="translated">Seçim bir atma ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_be_part_of_constant_initializer_expression"> <source>Selection can not be part of constant initializer expression.</source> <target state="translated">Seçim, sabit başlatıcı ifadesinin parçası olamaz.</target> <note /> </trans-unit> <trans-unit id="Selection_can_not_contain_a_pattern_expression"> <source>Selection can not contain a pattern expression.</source> <target state="translated">Seçim, bir desen ifadesi içeremez.</target> <note /> </trans-unit> <trans-unit id="The_selected_code_is_inside_an_unsafe_context"> <source>The selected code is inside an unsafe context.</source> <target state="translated">Seçili kod güvenli olmayan bir bağlam içinde.</target> <note /> </trans-unit> <trans-unit id="No_valid_statement_range_to_extract"> <source>No valid statement range to extract</source> <target state="translated">Ayıklanacak geçerli deyim aralığı yok</target> <note /> </trans-unit> <trans-unit id="deprecated"> <source>deprecated</source> <target state="translated">kullanım dışı</target> <note /> </trans-unit> <trans-unit id="extension"> <source>extension</source> <target state="translated">uzantı</target> <note /> </trans-unit> <trans-unit id="awaitable"> <source>awaitable</source> <target state="translated">awaitable</target> <note /> </trans-unit> <trans-unit id="awaitable_extension"> <source>awaitable, extension</source> <target state="translated">awaitable, uzantı</target> <note /> </trans-unit> <trans-unit id="Organize_Usings"> <source>Organize Usings</source> <target state="translated">Kullanımları Düzenle</target> <note /> </trans-unit> <trans-unit id="Insert_await"> <source>Insert 'await'.</source> <target state="translated">await' ekle.</target> <note /> </trans-unit> <trans-unit id="Make_0_return_Task_instead_of_void"> <source>Make {0} return Task instead of void.</source> <target state="translated">{0} öğesi boşluk yerine Görev döndürsün.</target> <note /> </trans-unit> <trans-unit id="Change_return_type_from_0_to_1"> <source>Change return type from {0} to {1}</source> <target state="translated">Dönüş türünü {0} değerinden {1} olarak değiştir</target> <note /> </trans-unit> <trans-unit id="Replace_return_with_yield_return"> <source>Replace return with yield return</source> <target state="translated">Dönüşü, bırakma dönüşüyle değiştir</target> <note /> </trans-unit> <trans-unit id="Generate_explicit_conversion_operator_in_0"> <source>Generate explicit conversion operator in '{0}'</source> <target state="translated">'{0}' içinde açık dönüşüm işleci oluştur</target> <note /> </trans-unit> <trans-unit id="Generate_implicit_conversion_operator_in_0"> <source>Generate implicit conversion operator in '{0}'</source> <target state="translated">'{0}' içinde örtük dönüşüm işleci oluştur</target> <note /> </trans-unit> <trans-unit id="record_"> <source>record</source> <target state="translated">kayıt</target> <note /> </trans-unit> <trans-unit id="record_struct"> <source>record struct</source> <target state="new">record struct</target> <note /> </trans-unit> <trans-unit id="switch_statement"> <source>switch statement</source> <target state="translated">switch deyimi</target> <note>{Locked="switch"} "switch" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="switch_statement_case_clause"> <source>switch statement case clause</source> <target state="translated">switch deyimi case yan tümcesi</target> <note>{Locked="switch"}{Locked="case"} "switch" and "case" are a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="try_block"> <source>try block</source> <target state="translated">try bloğu</target> <note>{Locked="try"} "try" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="catch_clause"> <source>catch clause</source> <target state="translated">catch yan tümcesi</target> <note>{Locked="catch"} "catch" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="filter_clause"> <source>filter clause</source> <target state="translated">filter yan tümcesi</target> <note /> </trans-unit> <trans-unit id="finally_clause"> <source>finally clause</source> <target state="translated">finally yan tümcesi</target> <note>{Locked="finally"} "finally" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="fixed_statement"> <source>fixed statement</source> <target state="translated">fixed deyimi</target> <note>{Locked="fixed"} "fixed" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_declaration"> <source>using declaration</source> <target state="translated">using bildirimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_statement"> <source>using statement</source> <target state="translated">using deyimi</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="lock_statement"> <source>lock statement</source> <target state="translated">lock deyimi</target> <note>{Locked="lock"} "lock" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="foreach_statement"> <source>foreach statement</source> <target state="translated">foreach deyimi</target> <note>{Locked="foreach"} "foreach" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="checked_statement"> <source>checked statement</source> <target state="translated">checked deyimi</target> <note>{Locked="checked"} "checked" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="unchecked_statement"> <source>unchecked statement</source> <target state="translated">unchecked deyimi</target> <note>{Locked="unchecked"} "unchecked" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="await_expression"> <source>await expression</source> <target state="translated">await ifadesi</target> <note>{Locked="await"} "await" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="lambda"> <source>lambda</source> <target state="translated">lambda</target> <note /> </trans-unit> <trans-unit id="anonymous_method"> <source>anonymous method</source> <target state="translated">anonim yöntem</target> <note /> </trans-unit> <trans-unit id="from_clause"> <source>from clause</source> <target state="translated">from yan tümcesi</target> <note /> </trans-unit> <trans-unit id="join_clause"> <source>join clause</source> <target state="translated">join yan tümcesi</target> <note>{Locked="join"} "join" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="let_clause"> <source>let clause</source> <target state="translated">let yan tümcesi</target> <note>{Locked="let"} "let" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="where_clause"> <source>where clause</source> <target state="translated">where yan tümcesi</target> <note>{Locked="where"} "where" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="orderby_clause"> <source>orderby clause</source> <target state="translated">orderby yan tümcesi</target> <note>{Locked="orderby"} "orderby" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="select_clause"> <source>select clause</source> <target state="translated">select yan tümcesi</target> <note>{Locked="select"} "select" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="groupby_clause"> <source>groupby clause</source> <target state="translated">groupby yan tümcesi</target> <note>{Locked="groupby"} "groupby" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="query_body"> <source>query body</source> <target state="translated">sorgu gövdesi</target> <note /> </trans-unit> <trans-unit id="into_clause"> <source>into clause</source> <target state="translated">into yan tümcesi</target> <note>{Locked="into"} "into" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="is_pattern"> <source>is pattern</source> <target state="translated">is deseni</target> <note>{Locked="is"} "is" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="deconstruction"> <source>deconstruction</source> <target state="translated">ayrıştırma</target> <note /> </trans-unit> <trans-unit id="tuple"> <source>tuple</source> <target state="translated">demet</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">yerel işlev</target> <note /> </trans-unit> <trans-unit id="out_var"> <source>out variable</source> <target state="translated">out değişkeni</target> <note>{Locked="out"} "out" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="ref_local_or_expression"> <source>ref local or expression</source> <target state="translated">yerel ref veya ifade</target> <note>{Locked="ref"} "ref" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="global_statement"> <source>global statement</source> <target state="translated">global deyimi</target> <note>{Locked="global"} "global" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="using_directive"> <source>using directive</source> <target state="translated">using yönergesi</target> <note /> </trans-unit> <trans-unit id="event_field"> <source>event field</source> <target state="translated">olay alanı</target> <note /> </trans-unit> <trans-unit id="conversion_operator"> <source>conversion operator</source> <target state="translated">dönüştürme işleci</target> <note /> </trans-unit> <trans-unit id="destructor"> <source>destructor</source> <target state="translated">yok edici</target> <note /> </trans-unit> <trans-unit id="indexer"> <source>indexer</source> <target state="translated">dizin oluşturucu</target> <note /> </trans-unit> <trans-unit id="property_getter"> <source>property getter</source> <target state="translated">özellik alıcısı</target> <note /> </trans-unit> <trans-unit id="indexer_getter"> <source>indexer getter</source> <target state="translated">dizin oluşturucu alıcısı</target> <note /> </trans-unit> <trans-unit id="property_setter"> <source>property setter</source> <target state="translated">özellik ayarlayıcısı</target> <note /> </trans-unit> <trans-unit id="indexer_setter"> <source>indexer setter</source> <target state="translated">dizin oluşturucu ayarlayıcısı</target> <note /> </trans-unit> <trans-unit id="attribute_target"> <source>attribute target</source> <target state="translated">öznitelik hedefi</target> <note /> </trans-unit> <trans-unit id="_0_does_not_contain_a_constructor_that_takes_that_many_arguments"> <source>'{0}' does not contain a constructor that takes that many arguments.</source> <target state="translated">'{0}' bu kadar çok sayıda bağımsız değişken alan bir oluşturucu içermiyor.</target> <note /> </trans-unit> <trans-unit id="The_name_0_does_not_exist_in_the_current_context"> <source>The name '{0}' does not exist in the current context.</source> <target state="translated">'{0}' adı geçerli bağlamda yok.</target> <note /> </trans-unit> <trans-unit id="Hide_base_member"> <source>Hide base member</source> <target state="translated">Temel üyeyi gizle</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Özellikler</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_namespace_declaration"> <source>Autoselect disabled due to namespace declaration.</source> <target state="translated">Ad alanı bildirimi nedeniyle otomatik seçme devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="namespace_name"> <source>&lt;namespace name&gt;</source> <target state="translated">&lt; ad alanı adı &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_type_declaration"> <source>Autoselect disabled due to type declaration.</source> <target state="translated">Tür bildirimine göre devre dışı bırakılanı otomatik olarak seç.</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_possible_deconstruction_declaration"> <source>Autoselect disabled due to possible deconstruction declaration.</source> <target state="translated">Otomatik seçim, olası ayrıştırma bildiriminden dolayı devre dışı bırakıldı.</target> <note /> </trans-unit> <trans-unit id="Upgrade_this_project_to_csharp_language_version_0"> <source>Upgrade this project to C# language version '{0}'</source> <target state="translated">Bu projeyi C# '{0}' dil sürümüne yükselt</target> <note /> </trans-unit> <trans-unit id="Upgrade_all_csharp_projects_to_language_version_0"> <source>Upgrade all C# projects to language version '{0}'</source> <target state="translated">Tüm C# projelerini '{0}' dil sürümüne yükselt</target> <note /> </trans-unit> <trans-unit id="class_name"> <source>&lt;class name&gt;</source> <target state="translated">&lt; sınıf adı &gt;</target> <note /> </trans-unit> <trans-unit id="interface_name"> <source>&lt;interface name&gt;</source> <target state="translated">&lt; arabirim adı &gt;</target> <note /> </trans-unit> <trans-unit id="designation_name"> <source>&lt;designation name&gt;</source> <target state="translated">&lt; atama adı &gt;</target> <note /> </trans-unit> <trans-unit id="struct_name"> <source>&lt;struct name&gt;</source> <target state="translated">&lt; yapı adı &gt;</target> <note /> </trans-unit> <trans-unit id="Make_method_async"> <source>Make method async</source> <target state="translated">Metodu asenkron yap</target> <note /> </trans-unit> <trans-unit id="Make_method_async_remain_void"> <source>Make method async (stay void)</source> <target state="translated">Metodu zaman uyumsuz yap (void olarak bırak)</target> <note /> </trans-unit> <trans-unit id="Name"> <source>&lt;Name&gt;</source> <target state="translated">&lt; ad &gt;</target> <note /> </trans-unit> <trans-unit id="Autoselect_disabled_due_to_member_declaration"> <source>Autoselect disabled due to member declaration</source> <target state="translated">Üye bildirimi nedeniyle otomatik seçim devre dışı</target> <note /> </trans-unit> <trans-unit id="Suggested_name"> <source>(Suggested name)</source> <target state="translated">(Önerilen ad)</target> <note /> </trans-unit> <trans-unit id="Remove_unused_function"> <source>Remove unused function</source> <target state="translated">Kullanılmayan işlevi kaldır</target> <note /> </trans-unit> <trans-unit id="Add_parentheses_around_conditional_expression_in_interpolated_string"> <source>Add parentheses</source> <target state="translated">Parantez ekle</target> <note /> </trans-unit> <trans-unit id="Convert_to_foreach"> <source>Convert to 'foreach'</source> <target state="translated">'foreach' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Convert_to_for"> <source>Convert to 'for'</source> <target state="translated">'for' deyimine dönüştür</target> <note /> </trans-unit> <trans-unit id="Invert_if"> <source>Invert if</source> <target state="translated">if ifadesini tersine çevir</target> <note /> </trans-unit> <trans-unit id="Add_Obsolete"> <source>Add [Obsolete]</source> <target state="translated">Ekle [Eski]</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use '{0}'</source> <target state="translated">'{0}' kullan</target> <note /> </trans-unit> <trans-unit id="Introduce_using_statement"> <source>Introduce 'using' statement</source> <target state="translated">'using' deyimi ekle</target> <note>{Locked="using"} "using" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="yield_break_statement"> <source>yield break statement</source> <target state="translated">yield break deyimi</target> <note>{Locked="yield break"} "yield break" is a C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="yield_return_statement"> <source>yield return statement</source> <target state="translated">yield return deyimi</target> <note>{Locked="yield return"} "yield return" is a C# keyword and should not be localized.</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/Core.Wpf/xlf/EditorFeaturesWpfResources.cs.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="cs" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Sestavování projektu</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Výběr se kopíruje do okna Interactive.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Nepovedlo se provést přejmenování: {0}</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Výběr se spouští v okně Interactive.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Interaktivní platforma procesů hostitelů</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Vytiskne seznam odkazovaných sestavení.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Regulární výrazy – komentář</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Regulární výrazy – třída znaků</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Regulární výrazy – alternace</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Regulární výrazy – ukotvení</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Regulární výrazy – kvantifikátor</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Regulární výrazy – znak uvozující sebe sama</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Regulární výrazy – seskupování</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Regulární výrazy – text</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Regulární výrazy – ostatní řídicí znaky</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Obnoví původní stav spouštěcího prostředí, zachová historii.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Obnoví čisté prostředí (jenom s odkazem na mscorlib), nespustí inicializační skript.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Znovu se nastavuje interaktivní stav.</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Resetuje se prováděcí modul.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">Vlastnost CurrentWindow se dá přiřadit jenom jednou.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">Příkaz references není v této implementaci okna Interactive podporovaný.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="cs" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Sestavování projektu</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Výběr se kopíruje do okna Interactive.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Nepovedlo se provést přejmenování: {0}</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Výběr se spouští v okně Interactive.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Interaktivní platforma procesů hostitelů</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Vytiskne seznam odkazovaných sestavení.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Regulární výrazy – komentář</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Regulární výrazy – třída znaků</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Regulární výrazy – alternace</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Regulární výrazy – ukotvení</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Regulární výrazy – kvantifikátor</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Regulární výrazy – znak uvozující sebe sama</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Regulární výrazy – seskupování</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Regulární výrazy – text</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Regulární výrazy – ostatní řídicí znaky</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Obnoví původní stav spouštěcího prostředí, zachová historii.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Obnoví čisté prostředí (jenom s odkazem na mscorlib), nespustí inicializační skript.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Znovu se nastavuje interaktivní stav.</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Resetuje se prováděcí modul.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">Vlastnost CurrentWindow se dá přiřadit jenom jednou.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">Příkaz references není v této implementaci okna Interactive podporovaný.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/SharedUtilitiesAndExtensions/Workspace/VisualBasic/xlf/VisualBasicWorkspaceExtensionsResources.ko.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VisualBasicWorkspaceExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">다른 값을 추가할 때 이 값을 제거하세요.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VisualBasicWorkspaceExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">다른 값을 추가할 때 이 값을 제거하세요.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/Text/xlf/TextEditorResources.pl.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../TextEditorResources.resx"> <body> <trans-unit id="The_snapshot_does_not_contain_the_specified_position"> <source>The snapshot does not contain the specified position.</source> <target state="translated">Migawka nie zawiera określonej pozycji.</target> <note /> </trans-unit> <trans-unit id="The_snapshot_does_not_contain_the_specified_span"> <source>The snapshot does not contain the specified span.</source> <target state="translated">Migawka nie zawiera podanego okresu.</target> <note /> </trans-unit> <trans-unit id="textContainer_is_not_a_SourceTextContainer_that_was_created_from_an_ITextBuffer"> <source>textContainer is not a SourceTextContainer that was created from an ITextBuffer.</source> <target state="translated">Element textContainer nie jest elementem SourceTextContainer utworzonym na podstawie elementu ITextBuffer.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../TextEditorResources.resx"> <body> <trans-unit id="The_snapshot_does_not_contain_the_specified_position"> <source>The snapshot does not contain the specified position.</source> <target state="translated">Migawka nie zawiera określonej pozycji.</target> <note /> </trans-unit> <trans-unit id="The_snapshot_does_not_contain_the_specified_span"> <source>The snapshot does not contain the specified span.</source> <target state="translated">Migawka nie zawiera podanego okresu.</target> <note /> </trans-unit> <trans-unit id="textContainer_is_not_a_SourceTextContainer_that_was_created_from_an_ITextBuffer"> <source>textContainer is not a SourceTextContainer that was created from an ITextBuffer.</source> <target state="translated">Element textContainer nie jest elementem SourceTextContainer utworzonym na podstawie elementu ITextBuffer.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/Core.Wpf/xlf/EditorFeaturesWpfResources.ru.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Сборка проекта</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Копирование выделенного фрагмента в интерактивное окно.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Ошибка при выполнении переименования: "{0}"</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Выполнение выделенного фрагмента в Интерактивном окне.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Интерактивная платформа хост-процесса</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Печать списка сборок, на которые указывают ссылки.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Регулярные выражения — комментарий</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Регулярные выражения — класс символов</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Регулярные выражения — чередование</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Регулярные выражения — якорь</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Регулярные выражения — квантификатор</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Регулярные выражения — символ с самостоятельным экранированием</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Регулярные выражения — группировка</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Регулярные выражения — текст</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Регулярные выражения — другая escape-последовательность</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Сброс окружения выполнения до первоначального состояния с сохранением журнала.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Сброс до состояния чистого окружения (есть только ссылка на mscorlib) без запуска скрипта инициализации.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Сброс интерактивного режима</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Идет сброс подсистемы выполнения.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">Свойство CurrentWindow может быть назначено только один раз.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">Команда, на которую указывает ссылка, не поддерживается в этой реализации Интерактивного окна.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../EditorFeaturesWpfResources.resx"> <body> <trans-unit id="Building_Project"> <source>Building Project</source> <target state="translated">Сборка проекта</target> <note /> </trans-unit> <trans-unit id="Copying_selection_to_Interactive_Window"> <source>Copying selection to Interactive Window.</source> <target state="translated">Копирование выделенного фрагмента в интерактивное окно.</target> <note /> </trans-unit> <trans-unit id="Error_performing_rename_0"> <source>Error performing rename: '{0}'</source> <target state="translated">Ошибка при выполнении переименования: "{0}"</target> <note /> </trans-unit> <trans-unit id="Executing_selection_in_Interactive_Window"> <source>Executing selection in Interactive Window.</source> <target state="translated">Выполнение выделенного фрагмента в Интерактивном окне.</target> <note /> </trans-unit> <trans-unit id="Interactive_host_process_platform"> <source>Interactive host process platform</source> <target state="translated">Интерактивная платформа хост-процесса</target> <note /> </trans-unit> <trans-unit id="Print_a_list_of_referenced_assemblies"> <source>Print a list of referenced assemblies.</source> <target state="translated">Печать списка сборок, на которые указывают ссылки.</target> <note /> </trans-unit> <trans-unit id="Regex_Comment"> <source>Regex - Comment</source> <target state="translated">Регулярные выражения — комментарий</target> <note /> </trans-unit> <trans-unit id="Regex_Character_Class"> <source>Regex - Character Class</source> <target state="translated">Регулярные выражения — класс символов</target> <note /> </trans-unit> <trans-unit id="Regex_Alternation"> <source>Regex - Alternation</source> <target state="translated">Регулярные выражения — чередование</target> <note /> </trans-unit> <trans-unit id="Regex_Anchor"> <source>Regex - Anchor</source> <target state="translated">Регулярные выражения — якорь</target> <note /> </trans-unit> <trans-unit id="Regex_Quantifier"> <source>Regex - Quantifier</source> <target state="translated">Регулярные выражения — квантификатор</target> <note /> </trans-unit> <trans-unit id="Regex_SelfEscapedCharacter"> <source>Regex - Self Escaped Character</source> <target state="translated">Регулярные выражения — символ с самостоятельным экранированием</target> <note /> </trans-unit> <trans-unit id="Regex_Grouping"> <source>Regex - Grouping</source> <target state="translated">Регулярные выражения — группировка</target> <note /> </trans-unit> <trans-unit id="Regex_Text"> <source>Regex - Text</source> <target state="translated">Регулярные выражения — текст</target> <note /> </trans-unit> <trans-unit id="Regex_OtherEscape"> <source>Regex - Other Escape</source> <target state="translated">Регулярные выражения — другая escape-последовательность</target> <note /> </trans-unit> <trans-unit id="Reset_the_execution_environment_to_the_initial_state_keep_history"> <source>Reset the execution environment to the initial state, keep history.</source> <target state="translated">Сброс окружения выполнения до первоначального состояния с сохранением журнала.</target> <note /> </trans-unit> <trans-unit id="Reset_to_a_clean_environment_only_mscorlib_referenced_do_not_run_initialization_script"> <source>Reset to a clean environment (only mscorlib referenced), do not run initialization script.</source> <target state="translated">Сброс до состояния чистого окружения (есть только ссылка на mscorlib) без запуска скрипта инициализации.</target> <note /> </trans-unit> <trans-unit id="Resetting_Interactive"> <source>Resetting Interactive</source> <target state="translated">Сброс интерактивного режима</target> <note /> </trans-unit> <trans-unit id="Resetting_execution_engine"> <source>Resetting execution engine.</source> <target state="translated">Идет сброс подсистемы выполнения.</target> <note /> </trans-unit> <trans-unit id="The_CurrentWindow_property_may_only_be_assigned_once"> <source>The CurrentWindow property may only be assigned once.</source> <target state="translated">Свойство CurrentWindow может быть назначено только один раз.</target> <note /> </trans-unit> <trans-unit id="The_references_command_is_not_supported_in_this_Interactive_Window_implementation"> <source>The references command is not supported in this Interactive Window implementation.</source> <target state="translated">Команда, на которую указывает ссылка, не поддерживается в этой реализации Интерактивного окна.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Analyzers/CSharp/CodeFixes/xlf/CSharpCodeFixesResources.fr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../CSharpCodeFixesResources.resx"> <body> <trans-unit id="Add_this"> <source>Add 'this.'</source> <target state="translated">Ajouter 'this.'</target> <note /> </trans-unit> <trans-unit id="Convert_typeof_to_nameof"> <source>Convert 'typeof' to 'nameof'</source> <target state="translated">Convertir 'typeof' en 'nameof'</target> <note /> </trans-unit> <trans-unit id="Pass_in_captured_variables_as_arguments"> <source>Pass in captured variables as arguments</source> <target state="translated">Passer les variables capturées en tant qu'arguments</target> <note /> </trans-unit> <trans-unit id="Place_colon_on_following_line"> <source>Place colon on following line</source> <target state="translated">Placer le signe des deux-points sur la ligne suivante</target> <note /> </trans-unit> <trans-unit id="Place_statement_on_following_line"> <source>Place statement on following line</source> <target state="translated">Placer l'instruction sur la ligne suivante</target> <note /> </trans-unit> <trans-unit id="Remove_Unnecessary_Usings"> <source>Remove Unnecessary Usings</source> <target state="translated">Supprimer les Usings inutiles</target> <note /> </trans-unit> <trans-unit id="Remove_blank_lines_between_braces"> <source>Remove blank line between braces</source> <target state="translated">Supprimer la ligne vide entre les accolades</target> <note /> </trans-unit> <trans-unit id="Remove_unreachable_code"> <source>Remove unreachable code</source> <target state="translated">Supprimer le code inaccessible</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Adding_parameters_to_local_function_declaration_may_produce_invalid_code"> <source>Warning: Adding parameters to local function declaration may produce invalid code.</source> <target state="translated">Avertissement : L'ajout de paramètres à la déclaration de fonction locale peut produire du code non valide.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../CSharpCodeFixesResources.resx"> <body> <trans-unit id="Add_this"> <source>Add 'this.'</source> <target state="translated">Ajouter 'this.'</target> <note /> </trans-unit> <trans-unit id="Convert_typeof_to_nameof"> <source>Convert 'typeof' to 'nameof'</source> <target state="translated">Convertir 'typeof' en 'nameof'</target> <note /> </trans-unit> <trans-unit id="Pass_in_captured_variables_as_arguments"> <source>Pass in captured variables as arguments</source> <target state="translated">Passer les variables capturées en tant qu'arguments</target> <note /> </trans-unit> <trans-unit id="Place_colon_on_following_line"> <source>Place colon on following line</source> <target state="translated">Placer le signe des deux-points sur la ligne suivante</target> <note /> </trans-unit> <trans-unit id="Place_statement_on_following_line"> <source>Place statement on following line</source> <target state="translated">Placer l'instruction sur la ligne suivante</target> <note /> </trans-unit> <trans-unit id="Remove_Unnecessary_Usings"> <source>Remove Unnecessary Usings</source> <target state="translated">Supprimer les Usings inutiles</target> <note /> </trans-unit> <trans-unit id="Remove_blank_lines_between_braces"> <source>Remove blank line between braces</source> <target state="translated">Supprimer la ligne vide entre les accolades</target> <note /> </trans-unit> <trans-unit id="Remove_unreachable_code"> <source>Remove unreachable code</source> <target state="translated">Supprimer le code inaccessible</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Adding_parameters_to_local_function_declaration_may_produce_invalid_code"> <source>Warning: Adding parameters to local function declaration may produce invalid code.</source> <target state="translated">Avertissement : L'ajout de paramètres à la déclaration de fonction locale peut produire du code non valide.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/CodeStyle/VisualBasic/CodeFixes/xlf/VBCodeStyleFixesResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBCodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Quite este valor cuando se agregue otro.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBCodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Quite este valor cuando se agregue otro.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Features/Core/Portable/xlf/FeaturesResources.fr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../FeaturesResources.resx"> <body> <trans-unit id="0_directive"> <source>#{0} directive</source> <target state="new">#{0} directive</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated"> <source>AM/PM (abbreviated)</source> <target state="translated">AM/PM (abrégé)</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated_description"> <source>The "t" custom format specifier represents the first character of the AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. If the "t" format specifier is used without other custom format specifiers, it's interpreted as the "t" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "t" représente le premier caractère du désignateur AM/PM. Le désignateur localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.AMDesignator ou DateTimeFormatInfo.PMDesignator de la culture actuelle ou spécifique. Le désignateur AM est utilisé pour toutes les heures comprises entre 0:00:00 (minuit) et 11:59:59.999. Le désignateur PM est utilisé pour toutes les heures comprises entre 12:00:00 (midi) et 23:59:59.999. Si le spécificateur de format "t" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "t".</target> <note /> </trans-unit> <trans-unit id="AM_PM_full"> <source>AM/PM (full)</source> <target state="translated">AM/PM (complet)</target> <note /> </trans-unit> <trans-unit id="AM_PM_full_description"> <source>The "tt" custom format specifier (plus any number of additional "t" specifiers) represents the entire AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. Make sure to use the "tt" specifier for languages for which it's necessary to maintain the distinction between AM and PM. An example is Japanese, for which the AM and PM designators differ in the second character instead of the first character.</source> <target state="translated">Le spécificateur de format personnalisé "tt" (plus n'importe quel nombre de spécificateurs "t" supplémentaires) représente l'intégralité du désignateur AM/PM. Le désignateur localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.AMDesignator ou DateTimeFormatInfo.PMDesignator de la culture actuelle ou spécifique. Le désignateur AM est utilisé pour toutes les heures comprises entre 0:00:00 (minuit) et 11:59:59.999. Le désignateur PM est utilisé pour toutes les heures comprises entre 12:00:00 (midi) et 23:59:59.999. Veillez à utiliser le spécificateur "tt" pour les langues où il est nécessaire de maintenir la distinction entre AM et PM. Par exemple, en japonais, les désignateurs AM et PM diffèrent au niveau du second caractère au lieu du premier.</target> <note /> </trans-unit> <trans-unit id="A_subtraction_must_be_the_last_element_in_a_character_class"> <source>A subtraction must be the last element in a character class</source> <target state="translated">Une soustraction doit être le dernier élément dans une classe de caractères</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-[b]-c]</note> </trans-unit> <trans-unit id="Accessing_captured_variable_0_that_hasn_t_been_accessed_before_in_1_requires_restarting_the_application"> <source>Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</source> <target state="new">Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Add_DebuggerDisplay_attribute"> <source>Add 'DebuggerDisplay' attribute</source> <target state="translated">Ajouter l'attribut 'DebuggerDisplay'</target> <note>{Locked="DebuggerDisplay"} "DebuggerDisplay" is a BCL class and should not be localized.</note> </trans-unit> <trans-unit id="Add_explicit_cast"> <source>Add explicit cast</source> <target state="translated">Ajouter un cast explicite</target> <note /> </trans-unit> <trans-unit id="Add_member_name"> <source>Add member name</source> <target state="translated">Ajouter le nom du membre</target> <note /> </trans-unit> <trans-unit id="Add_null_checks_for_all_parameters"> <source>Add null checks for all parameters</source> <target state="translated">Ajouter des vérifications de valeur null pour tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameter_to_constructor"> <source>Add optional parameter to constructor</source> <target state="translated">Ajouter un paramètre optionnel au constructeur</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0_and_overrides_implementations"> <source>Add parameter to '{0}' (and overrides/implementations)</source> <target state="translated">Ajouter un paramètre à '{0}' (et aux remplacements/implémentations)</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_constructor"> <source>Add parameter to constructor</source> <target state="translated">Ajouter un paramètre au constructeur</target> <note /> </trans-unit> <trans-unit id="Add_project_reference_to_0"> <source>Add project reference to '{0}'.</source> <target state="translated">Ajoutez une référence de projet à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Add_reference_to_0"> <source>Add reference to '{0}'.</source> <target state="translated">Ajoutez une référence à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Actions_can_not_be_empty"> <source>Actions can not be empty.</source> <target state="translated">Les actions ne peuvent pas être vides.</target> <note /> </trans-unit> <trans-unit id="Add_tuple_element_name_0"> <source>Add tuple element name '{0}'</source> <target state="translated">Ajouter le nom d'élément tuple '{0}'</target> <note /> </trans-unit> <trans-unit id="Adding_0_around_an_active_statement_requires_restarting_the_application"> <source>Adding {0} around an active statement requires restarting the application.</source> <target state="new">Adding {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_1_requires_restarting_the_application"> <source>Adding {0} into a {1} requires restarting the application.</source> <target state="new">Adding {0} into a {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_class_with_explicit_or_sequential_layout_requires_restarting_the_application"> <source>Adding {0} into a class with explicit or sequential layout requires restarting the application.</source> <target state="new">Adding {0} into a class with explicit or sequential layout requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_generic_type_requires_restarting_the_application"> <source>Adding {0} into a generic type requires restarting the application.</source> <target state="new">Adding {0} into a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_method_requires_restarting_the_application"> <source>Adding {0} into an interface method requires restarting the application.</source> <target state="new">Adding {0} into an interface method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_requires_restarting_the_application"> <source>Adding {0} into an interface requires restarting the application.</source> <target state="new">Adding {0} into an interface requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_requires_restarting_the_application"> <source>Adding {0} requires restarting the application.</source> <target state="new">Adding {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_that_accesses_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_with_the_Handles_clause_requires_restarting_the_application"> <source>Adding {0} with the Handles clause requires restarting the application.</source> <target state="new">Adding {0} with the Handles clause requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_MustOverride_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</target> <note>{Locked="MustOverride"} "MustOverride" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_constructor_to_a_type_with_a_field_or_property_initializer_that_contains_an_anonymous_function_requires_restarting_the_application"> <source>Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</source> <target state="new">Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_generic_0_requires_restarting_the_application"> <source>Adding a generic {0} requires restarting the application.</source> <target state="new">Adding a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_method_with_an_explicit_interface_specifier_requires_restarting_the_application"> <source>Adding a method with an explicit interface specifier requires restarting the application.</source> <target state="new">Adding a method with an explicit interface specifier requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_new_file_requires_restarting_the_application"> <source>Adding a new file requires restarting the application.</source> <target state="new">Adding a new file requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_user_defined_0_requires_restarting_the_application"> <source>Adding a user defined {0} requires restarting the application.</source> <target state="new">Adding a user defined {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_abstract_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_extern_0_requires_restarting_the_application"> <source>Adding an extern {0} requires restarting the application.</source> <target state="new">Adding an extern {0} requires restarting the application.</target> <note>{Locked="extern"} "extern" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_an_imported_method_requires_restarting_the_application"> <source>Adding an imported method requires restarting the application.</source> <target state="new">Adding an imported method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_arguments"> <source>Align wrapped arguments</source> <target state="translated">Aligner les arguments enveloppés</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_parameters"> <source>Align wrapped parameters</source> <target state="translated">Aligner les paramètres enveloppés</target> <note /> </trans-unit> <trans-unit id="Alternation_conditions_cannot_be_comments"> <source>Alternation conditions cannot be comments</source> <target state="translated">Les conditions d'alternance ne peuvent pas être des commentaires</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a|(?#b)</note> </trans-unit> <trans-unit id="Alternation_conditions_do_not_capture_and_cannot_be_named"> <source>Alternation conditions do not capture and cannot be named</source> <target state="translated">Les conditions d'alternance n'effectuent pas de capture et ne peuvent pas être nommées</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(?'x'))</note> </trans-unit> <trans-unit id="An_update_that_causes_the_return_type_of_implicit_main_to_change_requires_restarting_the_application"> <source>An update that causes the return type of the implicit Main method to change requires restarting the application.</source> <target state="new">An update that causes the return type of the implicit Main method to change requires restarting the application.</target> <note>{Locked="Main"} is C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Apply_file_header_preferences"> <source>Apply file header preferences</source> <target state="translated">Appliquer les préférences d'en-tête de fichier</target> <note /> </trans-unit> <trans-unit id="Apply_object_collection_initialization_preferences"> <source>Apply object/collection initialization preferences</source> <target state="translated">Appliquer les préférences d'initialisation des objets/collections</target> <note /> </trans-unit> <trans-unit id="Attribute_0_is_missing_Updating_an_async_method_or_an_iterator_requires_restarting_the_application"> <source>Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</source> <target state="new">Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Asynchronously_waits_for_the_task_to_finish"> <source>Asynchronously waits for the task to finish.</source> <target state="new">Asynchronously waits for the task to finish.</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_0"> <source>Awaited task returns '{0}'</source> <target state="translated">La tâche attendue retourne '{0}'</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_no_value"> <source>Awaited task returns no value</source> <target state="translated">La tâche attendue ne retourne aucune valeur</target> <note /> </trans-unit> <trans-unit id="Base_classes_contain_inaccessible_unimplemented_members"> <source>Base classes contain inaccessible unimplemented members</source> <target state="translated">Les classes de base contiennent des membres non implémentés inaccessibles</target> <note /> </trans-unit> <trans-unit id="CannotApplyChangesUnexpectedError"> <source>Cannot apply changes -- unexpected error: '{0}'</source> <target state="translated">Impossible d'appliquer les changements -- Erreur inattendue : '{0}'</target> <note /> </trans-unit> <trans-unit id="Cannot_include_class_0_in_character_range"> <source>Cannot include class \{0} in character range</source> <target state="translated">Impossible d'inclure la classe \{0} dans la plage de caractères</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-\w]. {0} is the invalid class (\w here)</note> </trans-unit> <trans-unit id="Capture_group_numbers_must_be_less_than_or_equal_to_Int32_MaxValue"> <source>Capture group numbers must be less than or equal to Int32.MaxValue</source> <target state="translated">Les nombres de groupe de capture doivent être inférieurs ou égaux à Int32.MaxValue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{2147483648}</note> </trans-unit> <trans-unit id="Capture_number_cannot_be_zero"> <source>Capture number cannot be zero</source> <target state="translated">Le nombre de captures ne peut pas être égal à zéro</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;0&gt;a)</note> </trans-unit> <trans-unit id="Capturing_variable_0_that_hasn_t_been_captured_before_requires_restarting_the_application"> <source>Capturing variable '{0}' that hasn't been captured before requires restarting the application.</source> <target state="new">Capturing variable '{0}' that hasn't been captured before requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_access_captured_variable_0_in_1_requires_restarting_the_application"> <source>Ceasing to access captured variable '{0}' in {1} requires restarting the application.</source> <target state="new">Ceasing to access captured variable '{0}' in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_capture_variable_0_requires_restarting_the_application"> <source>Ceasing to capture variable '{0}' requires restarting the application.</source> <target state="new">Ceasing to capture variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterInferValue"> <source>&lt;infer&gt;</source> <target state="translated">&lt;déduire&gt;</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterIntroduceTODOVariable"> <source>TODO</source> <target state="translated">TODO</target> <note>"TODO" is an indication that there is work still to be done.</note> </trans-unit> <trans-unit id="ChangeSignature_NewParameterOmitValue"> <source>&lt;omit&gt;</source> <target state="translated">&lt;omettre&gt;</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_0"> <source>Change namespace to '{0}'</source> <target state="translated">Remplacer l’espace de noms par '{0}'</target> <note /> </trans-unit> <trans-unit id="Change_to_global_namespace"> <source>Change to global namespace</source> <target state="translated">Remplacer par l'espace de noms général</target> <note /> </trans-unit> <trans-unit id="ChangesDisallowedWhileStoppedAtException"> <source>Changes are not allowed while stopped at exception</source> <target state="translated">Aucun changement n'est autorisé en cas d'arrêt à la suite d'une exception</target> <note /> </trans-unit> <trans-unit id="ChangesNotAppliedWhileRunning"> <source>Changes made in project '{0}' will not be applied while the application is running</source> <target state="translated">Les changements apportés au projet '{0}' ne sont pas appliqués tant que l'application est en cours d'exécution</target> <note /> </trans-unit> <trans-unit id="ChangesRequiredSynthesizedType"> <source>One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</source> <target state="new">One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</target> <note /> </trans-unit> <trans-unit id="Changing_0_from_asynchronous_to_synchronous_requires_restarting_the_application"> <source>Changing {0} from asynchronous to synchronous requires restarting the application.</source> <target state="new">Changing {0} from asynchronous to synchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_0_to_1_requires_restarting_the_application_because_it_changes_the_shape_of_the_state_machine"> <source>Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</source> <target state="new">Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</target> <note /> </trans-unit> <trans-unit id="Changing_a_field_to_an_event_or_vice_versa_requires_restarting_the_application"> <source>Changing a field to an event or vice versa requires restarting the application.</source> <target state="new">Changing a field to an event or vice versa requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_constraints_of_0_requires_restarting_the_application"> <source>Changing constraints of {0} requires restarting the application.</source> <target state="new">Changing constraints of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_parameter_types_of_0_requires_restarting_the_application"> <source>Changing parameter types of {0} requires restarting the application.</source> <target state="new">Changing parameter types of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_pseudo_custom_attribute_0_of_1_requires_restarting_th_application"> <source>Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</source> <target state="new">Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</target> <note /> </trans-unit> <trans-unit id="Changing_the_declaration_scope_of_a_captured_variable_0_requires_restarting_the_application"> <source>Changing the declaration scope of a captured variable '{0}' requires restarting the application.</source> <target state="new">Changing the declaration scope of a captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_parameters_of_0_requires_restarting_the_application"> <source>Changing the parameters of {0} requires restarting the application.</source> <target state="new">Changing the parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_return_type_of_0_requires_restarting_the_application"> <source>Changing the return type of {0} requires restarting the application.</source> <target state="new">Changing the return type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_0_requires_restarting_the_application"> <source>Changing the type of {0} requires restarting the application.</source> <target state="new">Changing the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_a_captured_variable_0_previously_of_type_1_requires_restarting_the_application"> <source>Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</source> <target state="new">Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_type_parameters_of_0_requires_restarting_the_application"> <source>Changing type parameters of {0} requires restarting the application.</source> <target state="new">Changing type parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_visibility_of_0_requires_restarting_the_application"> <source>Changing visibility of {0} requires restarting the application.</source> <target state="new">Changing visibility of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Configure_0_code_style"> <source>Configure {0} code style</source> <target state="translated">Configurer le style de code {0}</target> <note /> </trans-unit> <trans-unit id="Configure_0_severity"> <source>Configure {0} severity</source> <target state="translated">Configurer la gravité {0}</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_0_analyzers"> <source>Configure severity for all '{0}' analyzers</source> <target state="translated">Configurer la gravité pour tous les analyseurs '{0}'</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_analyzers"> <source>Configure severity for all analyzers</source> <target state="translated">Configurer la gravité pour tous les analyseurs</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq"> <source>Convert to LINQ</source> <target state="translated">Convertir en LINQ</target> <note /> </trans-unit> <trans-unit id="Add_to_0"> <source>Add to '{0}'</source> <target state="translated">Ajouter à '{0}'</target> <note /> </trans-unit> <trans-unit id="Convert_to_class"> <source>Convert to class</source> <target state="translated">Convertir en classe</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq_call_form"> <source>Convert to LINQ (call form)</source> <target state="translated">Convertir en LINQ (formulaire d'appel)</target> <note /> </trans-unit> <trans-unit id="Convert_to_record"> <source>Convert to record</source> <target state="translated">Convertir en enregistrement</target> <note /> </trans-unit> <trans-unit id="Convert_to_record_struct"> <source>Convert to record struct</source> <target state="translated">Convertir en struct d’enregistrement</target> <note /> </trans-unit> <trans-unit id="Convert_to_struct"> <source>Convert to struct</source> <target state="translated">Convertir en struct</target> <note /> </trans-unit> <trans-unit id="Convert_type_to_0"> <source>Convert type to '{0}'</source> <target state="translated">Convertir le type en '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_field_0"> <source>Create and assign field '{0}'</source> <target state="translated">Créer et affecter le champ '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_property_0"> <source>Create and assign property '{0}'</source> <target state="translated">Créer et affecter la propriété '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_fields"> <source>Create and assign remaining as fields</source> <target state="translated">Créer et affecter ce qui reste en tant que champs</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_properties"> <source>Create and assign remaining as properties</source> <target state="translated">Créer et affecter ce qui reste en tant que propriétés</target> <note /> </trans-unit> <trans-unit id="Deleting_0_around_an_active_statement_requires_restarting_the_application"> <source>Deleting {0} around an active statement requires restarting the application.</source> <target state="new">Deleting {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_0_requires_restarting_the_application"> <source>Deleting {0} requires restarting the application.</source> <target state="new">Deleting {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_captured_variable_0_requires_restarting_the_application"> <source>Deleting captured variable '{0}' requires restarting the application.</source> <target state="new">Deleting captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Do_not_change_this_code_Put_cleanup_code_in_0_method"> <source>Do not change this code. Put cleanup code in '{0}' method</source> <target state="translated">Ne changez pas ce code. Placez le code de nettoyage dans la méthode '{0}'</target> <note /> </trans-unit> <trans-unit id="DocumentIsOutOfSyncWithDebuggee"> <source>The current content of source file '{0}' does not match the built source. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">Le contenu actuel du fichier source '{0}' ne correspond pas à la source générée. Les changements apportés à ce fichier durant le débogage ne seront pas appliqués tant que son contenu ne correspondra pas à la source générée.</target> <note /> </trans-unit> <trans-unit id="Document_must_be_contained_in_the_workspace_that_created_this_service"> <source>Document must be contained in the workspace that created this service</source> <target state="translated">Le document doit être contenu dans l'espace de travail qui a créé ce service</target> <note /> </trans-unit> <trans-unit id="EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Modifier et continuer</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByModule"> <source>Edit and Continue disallowed by module</source> <target state="translated">Fonctionnalité Modifier et Continuer interdite par le module</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByProject"> <source>Changes made in project '{0}' require restarting the application: {1}</source> <target state="needs-review-translation">Les changements apportés au projet '{0}' empêchent la session de débogage de se poursuivre : {1}</target> <note /> </trans-unit> <trans-unit id="Edit_and_continue_is_not_supported_by_the_runtime"> <source>Edit and continue is not supported by the runtime.</source> <target state="translated">Modifier et continuer n’est pas pris en charge par le runtime.</target> <note /> </trans-unit> <trans-unit id="ErrorReadingFile"> <source>Error while reading file '{0}': {1}</source> <target state="translated">Erreur durant la lecture du fichier '{0}' : {1}</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider"> <source>Error creating instance of CodeFixProvider</source> <target state="translated">Erreur lors de la création de l'instance de CodeFixProvider</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider_0"> <source>Error creating instance of CodeFixProvider '{0}'</source> <target state="translated">Erreur lors de la création de l'instance de CodeFixProvider '{0}'</target> <note /> </trans-unit> <trans-unit id="Example"> <source>Example:</source> <target state="translated">Exemple :</target> <note>Singular form when we want to show an example, but only have one to show.</note> </trans-unit> <trans-unit id="Examples"> <source>Examples:</source> <target state="translated">Exemples :</target> <note>Plural form when we have multiple examples to show.</note> </trans-unit> <trans-unit id="Explicitly_implemented_methods_of_records_must_have_parameter_names_that_match_the_compiler_generated_equivalent_0"> <source>Explicitly implemented methods of records must have parameter names that match the compiler generated equivalent '{0}'</source> <target state="translated">Les méthodes d'enregistrement implémentées explicitement doivent avoir des noms de paramètres qui correspondent à l'équivalent « {0} » généré par le compilateur.</target> <note /> </trans-unit> <trans-unit id="Extract_base_class"> <source>Extract base class...</source> <target state="translated">Extraire la classe de base...</target> <note /> </trans-unit> <trans-unit id="Extract_interface"> <source>Extract interface...</source> <target state="translated">Extraire l'interface...</target> <note /> </trans-unit> <trans-unit id="Extract_local_function"> <source>Extract local function</source> <target state="translated">Extraire la fonction locale</target> <note /> </trans-unit> <trans-unit id="Extract_method"> <source>Extract method</source> <target state="translated">Extraire une méthode</target> <note /> </trans-unit> <trans-unit id="Failed_to_analyze_data_flow_for_0"> <source>Failed to analyze data-flow for: {0}</source> <target state="translated">Impossible d’analyser le flux de données pour : {0}</target> <note /> </trans-unit> <trans-unit id="Fix_formatting"> <source>Fix formatting</source> <target state="translated">Corriger la mise en forme</target> <note /> </trans-unit> <trans-unit id="Fix_typo_0"> <source>Fix typo '{0}'</source> <target state="translated">Corriger la faute de frappe '{0}'</target> <note /> </trans-unit> <trans-unit id="Format_document"> <source>Format document</source> <target state="translated">Mettre en forme le document</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document</source> <target state="translated">Mise en forme du document</target> <note /> </trans-unit> <trans-unit id="Generate_comparison_operators"> <source>Generate comparison operators</source> <target state="translated">Générer des opérateurs de comparaison</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_fields"> <source>Generate constructor in '{0}' (with fields)</source> <target state="translated">Générer le constructeur dans '{0}' (avec les champs)</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_properties"> <source>Generate constructor in '{0}' (with properties)</source> <target state="translated">Générer le constructeur dans '{0}' (avec les propriétés)</target> <note /> </trans-unit> <trans-unit id="Generate_for_0"> <source>Generate for '{0}'</source> <target state="translated">Générer pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0"> <source>Generate parameter '{0}'</source> <target state="translated">Générer le paramètre '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0_and_overrides_implementations"> <source>Generate parameter '{0}' (and overrides/implementations)</source> <target state="translated">Générer le paramètre '{0}' (et les substitutions/implémentations)</target> <note /> </trans-unit> <trans-unit id="Illegal_backslash_at_end_of_pattern"> <source>Illegal \ at end of pattern</source> <target state="translated">Caractère \ non autorisé à la fin du modèle</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \</note> </trans-unit> <trans-unit id="Illegal_x_y_with_x_less_than_y"> <source>Illegal {x,y} with x &gt; y</source> <target state="translated">{x,y} non autorisé avec x &gt; y</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{1,0}</note> </trans-unit> <trans-unit id="Implement_0_explicitly"> <source>Implement '{0}' explicitly</source> <target state="translated">Implémenter '{0}' explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_0_implicitly"> <source>Implement '{0}' implicitly</source> <target state="translated">Implémenter '{0}' implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_abstract_class"> <source>Implement abstract class</source> <target state="translated">Implémenter une classe abstraite</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_explicitly"> <source>Implement all interfaces explicitly</source> <target state="translated">Implémenter toutes les interfaces explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_implicitly"> <source>Implement all interfaces implicitly</source> <target state="translated">Implémenter toutes les interfaces implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_all_members_explicitly"> <source>Implement all members explicitly</source> <target state="translated">Implémenter tous les membres explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_explicitly"> <source>Implement explicitly</source> <target state="translated">Implémenter explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_implicitly"> <source>Implement implicitly</source> <target state="translated">Implémenter implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_remaining_members_explicitly"> <source>Implement remaining members explicitly</source> <target state="translated">Implémenter les membres restants explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_through_0"> <source>Implement through '{0}'</source> <target state="translated">Implémenter via '{0}'</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_as_read_only_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' as read only requires restarting the application,</source> <target state="new">Implementing a record positional parameter '{0}' as read only requires restarting the application,</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_with_a_set_accessor_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</source> <target state="new">Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Incomplete_character_escape"> <source>Incomplete \p{X} character escape</source> <target state="translated">Caractère d'échappement \p{X} incomplet</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{ Cc }</note> </trans-unit> <trans-unit id="Indent_all_arguments"> <source>Indent all arguments</source> <target state="translated">Mettre en retrait tous les arguments</target> <note /> </trans-unit> <trans-unit id="Indent_all_parameters"> <source>Indent all parameters</source> <target state="translated">Mettre en retrait tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_arguments"> <source>Indent wrapped arguments</source> <target state="translated">Mettre en retrait les arguments enveloppés</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_parameters"> <source>Indent wrapped parameters</source> <target state="translated">Mettre en retrait les paramètres enveloppés</target> <note /> </trans-unit> <trans-unit id="Inline_0"> <source>Inline '{0}'</source> <target state="translated">Inline '{0}'</target> <note /> </trans-unit> <trans-unit id="Inline_and_keep_0"> <source>Inline and keep '{0}'</source> <target state="translated">Inline et conserver '{0}'</target> <note /> </trans-unit> <trans-unit id="Insufficient_hexadecimal_digits"> <source>Insufficient hexadecimal digits</source> <target state="translated">Chiffres hexadécimaux insuffisants</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \x</note> </trans-unit> <trans-unit id="Introduce_constant"> <source>Introduce constant</source> <target state="translated">Introduire une constante</target> <note /> </trans-unit> <trans-unit id="Introduce_field"> <source>Introduce field</source> <target state="translated">Introduire le champ</target> <note /> </trans-unit> <trans-unit id="Introduce_local"> <source>Introduce local</source> <target state="translated">Introduire un élément local</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter"> <source>Introduce parameter</source> <target state="new">Introduce parameter</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_0"> <source>Introduce parameter for '{0}'</source> <target state="new">Introduce parameter for '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_all_occurrences_of_0"> <source>Introduce parameter for all occurrences of '{0}'</source> <target state="new">Introduce parameter for all occurrences of '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable"> <source>Introduce query variable</source> <target state="translated">Introduire la variable de requête</target> <note /> </trans-unit> <trans-unit id="Invalid_group_name_Group_names_must_begin_with_a_word_character"> <source>Invalid group name: Group names must begin with a word character</source> <target state="translated">Nom de groupe non valide : les noms de groupe doivent commencer par un caractère alphabétique</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;a &gt;a)</note> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="new">Invalid selection.</target> <note /> </trans-unit> <trans-unit id="Make_class_abstract"> <source>Make class 'abstract'</source> <target state="translated">Rendre la classe 'abstract'</target> <note /> </trans-unit> <trans-unit id="Make_member_static"> <source>Make static</source> <target state="translated">Rendre statique</target> <note /> </trans-unit> <trans-unit id="Invert_conditional"> <source>Invert conditional</source> <target state="translated">Inverser un élément conditionnel</target> <note /> </trans-unit> <trans-unit id="Making_a_method_an_iterator_requires_restarting_the_application"> <source>Making a method an iterator requires restarting the application.</source> <target state="new">Making a method an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Making_a_method_asynchronous_requires_restarting_the_application"> <source>Making a method asynchronous requires restarting the application.</source> <target state="new">Making a method asynchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Malformed"> <source>malformed</source> <target state="translated">incorrecte</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0</note> </trans-unit> <trans-unit id="Malformed_character_escape"> <source>Malformed \p{X} character escape</source> <target state="translated">Caractère d'échappement incorrect \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p {Cc}</note> </trans-unit> <trans-unit id="Malformed_named_back_reference"> <source>Malformed \k&lt;...&gt; named back reference</source> <target state="translated">Référence arrière nommée \k&lt;...&gt; incorrecte</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k'</note> </trans-unit> <trans-unit id="Merge_with_nested_0_statement"> <source>Merge with nested '{0}' statement</source> <target state="translated">Fusionner avec l'instruction '{0}' imbriquée</target> <note /> </trans-unit> <trans-unit id="Merge_with_next_0_statement"> <source>Merge with next '{0}' statement</source> <target state="translated">Fusionner avec la prochaine instruction '{0}'</target> <note /> </trans-unit> <trans-unit id="Merge_with_outer_0_statement"> <source>Merge with outer '{0}' statement</source> <target state="translated">Fusionner avec l'instruction '{0}' externe</target> <note /> </trans-unit> <trans-unit id="Merge_with_previous_0_statement"> <source>Merge with previous '{0}' statement</source> <target state="translated">Fusionner avec la précédente instruction '{0}'</target> <note /> </trans-unit> <trans-unit id="MethodMustReturnStreamThatSupportsReadAndSeek"> <source>{0} must return a stream that supports read and seek operations.</source> <target state="translated">{0} doit retourner un flux qui prend en charge les opérations de lecture et de recherche.</target> <note /> </trans-unit> <trans-unit id="Missing_control_character"> <source>Missing control character</source> <target state="translated">Caractère de contrôle manquant</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \c</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_a_static_variable_requires_restarting_the_application"> <source>Modifying {0} which contains a static variable requires restarting the application.</source> <target state="new">Modifying {0} which contains a static variable requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_0_which_contains_an_Aggregate_Group_By_or_Join_query_clauses_requires_restarting_the_application"> <source>Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</source> <target state="new">Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</target> <note>{Locked="Aggregate"}{Locked="Group By"}{Locked="Join"} are VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_the_stackalloc_operator_requires_restarting_the_application"> <source>Modifying {0} which contains the stackalloc operator requires restarting the application.</source> <target state="new">Modifying {0} which contains the stackalloc operator requires restarting the application.</target> <note>{Locked="stackalloc"} "stackalloc" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_a_catch_finally_handler_with_an_active_statement_in_the_try_block_requires_restarting_the_application"> <source>Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</source> <target state="new">Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_catch_handler_around_an_active_statement_requires_restarting_the_application"> <source>Modifying a catch handler around an active statement requires restarting the application.</source> <target state="new">Modifying a catch handler around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_generic_method_requires_restarting_the_application"> <source>Modifying a generic method requires restarting the application.</source> <target state="new">Modifying a generic method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_method_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying a method inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying a method inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_try_catch_finally_statement_when_the_finally_block_is_active_requires_restarting_the_application"> <source>Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</source> <target state="new">Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_an_active_0_which_contains_On_Error_or_Resume_statements_requires_restarting_the_application"> <source>Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</source> <target state="new">Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</target> <note>{Locked="On Error"}{Locked="Resume"} is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_because_the_body_has_too_many_statements"> <source>Modifying the body of {0} requires restarting the application because the body has too many statements.</source> <target state="new">Modifying the body of {0} requires restarting the application because the body has too many statements.</target> <note /> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying the body of {0} requires restarting the application due to internal error: {1}</source> <target state="new">Modifying the body of {0} requires restarting the application due to internal error: {1}</target> <note>{1} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_because_the_file_is_too_big"> <source>Modifying source file '{0}' requires restarting the application because the file is too big.</source> <target state="new">Modifying source file '{0}' requires restarting the application because the file is too big.</target> <note /> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying source file '{0}' requires restarting the application due to internal error: {1}</source> <target state="new">Modifying source file '{0}' requires restarting the application due to internal error: {1}</target> <note>{2} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_with_experimental_language_features_enabled_requires_restarting_the_application"> <source>Modifying source with experimental language features enabled requires restarting the application.</source> <target state="new">Modifying source with experimental language features enabled requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_the_initializer_of_0_in_a_generic_type_requires_restarting_the_application"> <source>Modifying the initializer of {0} in a generic type requires restarting the application.</source> <target state="new">Modifying the initializer of {0} in a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_0_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_a_generic_0_requires_restarting_the_application"> <source>Modifying whitespace or comments in a generic {0} requires restarting the application.</source> <target state="new">Modifying whitespace or comments in a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Move_contents_to_namespace"> <source>Move contents to namespace...</source> <target state="translated">Déplacer le contenu vers un espace de noms...</target> <note /> </trans-unit> <trans-unit id="Move_file_to_0"> <source>Move file to '{0}'</source> <target state="translated">Déplacer le fichier vers '{0}'</target> <note /> </trans-unit> <trans-unit id="Move_file_to_project_root_folder"> <source>Move file to project root folder</source> <target state="translated">Déplacer le fichier dans le dossier racine du projet</target> <note /> </trans-unit> <trans-unit id="Move_to_namespace"> <source>Move to namespace...</source> <target state="translated">Déplacer vers un espace de noms...</target> <note /> </trans-unit> <trans-unit id="Moving_0_requires_restarting_the_application"> <source>Moving {0} requires restarting the application.</source> <target state="new">Moving {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Nested_quantifier_0"> <source>Nested quantifier {0}</source> <target state="translated">Quantificateur imbriqué {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a**. In this case {0} will be '*', the extra unnecessary quantifier.</note> </trans-unit> <trans-unit id="No_common_root_node_for_extraction"> <source>No common root node for extraction.</source> <target state="new">No common root node for extraction.</target> <note /> </trans-unit> <trans-unit id="No_valid_location_to_insert_method_call"> <source>No valid location to insert method call.</source> <target state="translated">Aucun emplacement valide pour l'insertion de l'appel de méthode.</target> <note /> </trans-unit> <trans-unit id="No_valid_selection_to_perform_extraction"> <source>No valid selection to perform extraction.</source> <target state="new">No valid selection to perform extraction.</target> <note /> </trans-unit> <trans-unit id="Not_enough_close_parens"> <source>Not enough )'s</source> <target state="translated">Pas assez de )'s</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (a</note> </trans-unit> <trans-unit id="Operators"> <source>Operators</source> <target state="translated">Opérateurs</target> <note /> </trans-unit> <trans-unit id="Property_reference_cannot_be_updated"> <source>Property reference cannot be updated</source> <target state="translated">La référence de propriété ne peut pas être mise à jour</target> <note /> </trans-unit> <trans-unit id="Pull_0_up"> <source>Pull '{0}' up</source> <target state="translated">Tirer '{0}' vers le haut</target> <note /> </trans-unit> <trans-unit id="Pull_0_up_to_1"> <source>Pull '{0}' up to '{1}'</source> <target state="translated">Tirer '{0}' jusqu'à '{1}'</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_base_type"> <source>Pull members up to base type...</source> <target state="translated">Tirer les membres jusqu'au type de base...</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_new_base_class"> <source>Pull member(s) up to new base class...</source> <target state="translated">Tirer (pull) le ou les membres jusqu'à la nouvelle classe de base...</target> <note /> </trans-unit> <trans-unit id="Quantifier_x_y_following_nothing"> <source>Quantifier {x,y} following nothing</source> <target state="translated">Le quantificateur {x,y} ne suit rien</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: *</note> </trans-unit> <trans-unit id="Reference_to_undefined_group"> <source>reference to undefined group</source> <target state="translated">référence à un groupe indéfini</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(1))</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_name_0"> <source>Reference to undefined group name {0}</source> <target state="translated">Référence au nom de groupe indéfini {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k&lt;a&gt;. Here, {0} will be the name of the undefined group ('a')</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_number_0"> <source>Reference to undefined group number {0}</source> <target state="translated">Référence à un numéro de groupe indéfini {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;-1&gt;). Here, {0} will be the number of the undefined group ('1')</note> </trans-unit> <trans-unit id="Regex_all_control_characters_long"> <source>All control characters. This includes the Cc, Cf, Cs, Co, and Cn categories.</source> <target state="translated">Tous les caractères de contrôle. Cela inclut les catégories Cc, Cf, Cs, Co et Cn.</target> <note /> </trans-unit> <trans-unit id="Regex_all_control_characters_short"> <source>all control characters</source> <target state="translated">tous les caractères de contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_long"> <source>All diacritic marks. This includes the Mn, Mc, and Me categories.</source> <target state="translated">Toutes les marques diacritiques. Cela inclut les catégories Mn, Mc et Me.</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_short"> <source>all diacritic marks</source> <target state="translated">toutes les marques diacritiques</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_long"> <source>All letter characters. This includes the Lu, Ll, Lt, Lm, and Lo characters.</source> <target state="translated">Tous les caractères correspondant à des lettres. Cela inclut les caractères Lu, Ll, Lt, Lm et Lo.</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_short"> <source>all letter characters</source> <target state="translated">tous les caractères correspondant à des lettres</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_long"> <source>All numbers. This includes the Nd, Nl, and No categories.</source> <target state="translated">Tous les nombres. Cela inclut les catégories Nd, Nl et No.</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_short"> <source>all numbers</source> <target state="translated">tous les nombres</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_long"> <source>All punctuation characters. This includes the Pc, Pd, Ps, Pe, Pi, Pf, and Po categories.</source> <target state="translated">Tous les caractères de ponctuation. Cela inclut les catégories Pc, Pd, Ps, Pe, Pi, Pf et Po.</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_short"> <source>all punctuation characters</source> <target state="translated">tous les caractères de ponctuation</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_long"> <source>All separator characters. This includes the Zs, Zl, and Zp categories.</source> <target state="translated">Tous les caractères de séparation. Cela inclut les catégories Zs, Zl et Zp.</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_short"> <source>all separator characters</source> <target state="translated">tous les caractères de séparation</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_long"> <source>All symbols. This includes the Sm, Sc, Sk, and So categories.</source> <target state="translated">Tous les symboles. Cela inclut les catégories Sm, Sc, Sk et So.</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_short"> <source>all symbols</source> <target state="translated">tous les symboles</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_long"> <source>You can use the vertical bar (|) character to match any one of a series of patterns, where the | character separates each pattern.</source> <target state="translated">Vous pouvez utiliser la barre verticale (|) pour faire correspondre une série de modèles, où le caractère | sépare chaque modèle.</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_short"> <source>alternation</source> <target state="translated">alternance</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_long"> <source>The period character (.) matches any character except \n (the newline character, \u000A). If a regular expression pattern is modified by the RegexOptions.Singleline option, or if the portion of the pattern that contains the . character class is modified by the 's' option, . matches any character.</source> <target state="translated">Le point (.) correspond à n'importe quel caractère sauf \n (le caractère nouvelle ligne, \u000A). Si un modèle d'expression régulière est modifié par l'option RegexOptions.Singleline, ou si la partie du modèle qui contient la classe de caractères . est modifiée par l'option 's', le . correspond à n'importe quel caractère.</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_short"> <source>any character</source> <target state="translated">tout caractère</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_long"> <source>Atomic groups (known in some other regular expression engines as a nonbacktracking subexpression, an atomic subexpression, or a once-only subexpression) disable backtracking. The regular expression engine will match as many characters in the input string as it can. When no further match is possible, it will not backtrack to attempt alternate pattern matches. (That is, the subexpression matches only strings that would be matched by the subexpression alone; it does not attempt to match a string based on the subexpression and any subexpressions that follow it.) This option is recommended if you know that backtracking will not succeed. Preventing the regular expression engine from performing unnecessary searching improves performance.</source> <target state="translated">Les groupes atomiques (connus dans certains moteurs d'expressions régulières comme des sous-expressions sans retour sur trace, des sous-expressions atomiques ou des sous-expressions une fois uniquement) désactivent le retour sur trace. Le moteur d'expressions régulières recherche une correspondance avec autant de caractères que possible dans la chaîne d'entrée. Quand aucune autre correspondance n'est possible, il n'effectue pas de retour sur trace pour tenter de trouver d'autres correspondances de modèles. (En d'autres termes, la sous-expression correspond uniquement aux chaînes qui correspondent à la sous-expression seule, elle ne tente pas de rechercher une chaîne basée sur la sous-expression et les sous-expressions qui la suivent.) Cette option est recommandée si vous savez que le retour sur trace va être un échec. En empêchant le moteur d'expressions régulières d'effectuer des recherches inutiles, vous améliorez les performances.</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_short"> <source>atomic group</source> <target state="translated">groupe atomique</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_long"> <source>Matches a backspace character, \u0008</source> <target state="translated">Correspond au caractère de retour arrière, \u0008</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_short"> <source>backspace character</source> <target state="translated">caractère de retour arrière</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_long"> <source>A balancing group definition deletes the definition of a previously defined group and stores, in the current group, the interval between the previously defined group and the current group. 'name1' is the current group (optional), 'name2' is a previously defined group, and 'subexpression' is any valid regular expression pattern. The balancing group definition deletes the definition of name2 and stores the interval between name2 and name1 in name1. If no name2 group is defined, the match backtracks. Because deleting the last definition of name2 reveals the previous definition of name2, this construct lets you use the stack of captures for group name2 as a counter for keeping track of nested constructs such as parentheses or opening and closing brackets. The balancing group definition uses 'name2' as a stack. The beginning character of each nested construct is placed in the group and in its Group.Captures collection. When the closing character is matched, its corresponding opening character is removed from the group, and the Captures collection is decreased by one. After the opening and closing characters of all nested constructs have been matched, 'name1' is empty.</source> <target state="translated">Une définition de groupe d'équilibrage supprime la définition d'un groupe défini et stocke, dans le groupe actuel, l'intervalle entre le groupe défini et le groupe actuel. 'nom1' est le groupe actuel facultatif, 'nom2' est un groupe défini et 'sous-expression' est un modèle d'expression régulière valide. La définition du groupe d'équilibrage supprime la définition de name2 et stocke l'intervalle entre name2 et name1 dans name1. Si aucun groupe name2 n'est défini, la correspondance fait l'objet d'une rétroaction. Dans la mesure où la suppression de la dernière définition de name2 révèle la définition précédente de name2, cette construction vous permet d'utiliser la pile de captures du groupe name2 en tant que compteur permettant d'effectuer le suivi des constructions imbriquées telles que les parenthèses ou les crochets d'ouverture et de fermeture. La définition du groupe d'équilibrage utilise 'nom2' en tant que pile. Le caractère de début de chaque construction imbriquée est placé dans le groupe et dans sa collection Group.Captures. Quand le caractère de fermeture correspond, le caractère d'ouverture correspondant est supprimé du groupe, et la collection Captures est réduite d'un élément. Une fois que les caractères d'ouverture et de fermeture de toutes les constructions imbriquées ont été mis en correspondance, 'nom1' est vide.</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_short"> <source>balancing group</source> <target state="translated">groupe d'équilibrage</target> <note /> </trans-unit> <trans-unit id="Regex_base_group"> <source>base-group</source> <target state="translated">groupe de base</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_long"> <source>Matches a bell (alarm) character, \u0007</source> <target state="translated">Correspond au caractère de cloche (alarme), \u0007</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_short"> <source>bell character</source> <target state="translated">caractère de cloche</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_long"> <source>Matches a carriage-return character, \u000D. Note that \r is not equivalent to the newline character, \n.</source> <target state="translated">Correspond au caractère de retour chariot, \u000D. Notez que \r n'est pas équivalent au caractère nouvelle ligne, \n.</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_short"> <source>carriage-return character</source> <target state="translated">caractère de retour chariot</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_long"> <source>Character class subtraction yields a set of characters that is the result of excluding the characters in one character class from another character class. 'base_group' is a positive or negative character group or range. The 'excluded_group' component is another positive or negative character group, or another character class subtraction expression (that is, you can nest character class subtraction expressions).</source> <target state="translated">La soustraction d'une classe de caractères génère un jeu de caractères qui résulte de l'exclusion des caractères d'une classe de caractères à partir d'une autre classe de caractères. 'groupe_base' est une plage ou un groupe de caractères positif ou négatif. Le composant 'groupe_exclu' est un autre groupe de caractères positif ou négatif, ou une autre expression de soustraction de classe de caractères (en d'autres termes, vous pouvez imbriquer des expressions de soustraction de classe de caractères).</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_short"> <source>character class subtraction</source> <target state="translated">soustraction de classe de caractères</target> <note /> </trans-unit> <trans-unit id="Regex_character_group"> <source>character-group</source> <target state="translated">groupe de caractères</target> <note /> </trans-unit> <trans-unit id="Regex_comment"> <source>comment</source> <target state="translated">commentaire</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_long"> <source>This language element attempts to match one of two patterns depending on whether it can match an initial pattern. 'expression' is the initial pattern to match, 'yes' is the pattern to match if expression is matched, and 'no' is the optional pattern to match if expression is not matched.</source> <target state="translated">Cet élément de langage tente d'établir une correspondance avec l'un des deux modèles, selon qu'il peut correspondre ou non à un modèle initial. 'expression' est le modèle initial à rechercher, 'oui' est le modèle à rechercher si 'expression' retourne une correspondance, et 'non' est le modèle facultatif à rechercher si 'expression' ne retourne aucune correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_short"> <source>conditional expression match</source> <target state="translated">correspondance d'expression conditionnelle</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_long"> <source>This language element attempts to match one of two patterns depending on whether it has matched a specified capturing group. 'name' is the name (or number) of a capturing group, 'yes' is the expression to match if 'name' (or 'number') has a match, and 'no' is the optional expression to match if it does not.</source> <target state="translated">Cet élément de langage tente d'établir une correspondance avec l'un des deux modèles, selon qu'il correspond ou non à un groupe de capture spécifié. 'nom' est le nom (ou le numéro) d'un groupe de capture, 'oui' est l'expression à rechercher si 'nom' (ou 'numéro') a une correspondance, et 'non' est l'expression facultative à rechercher dans le cas contraire.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_short"> <source>conditional group match</source> <target state="translated">correspondance de groupe conditionnelle</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_long"> <source>The \G anchor specifies that a match must occur at the point where the previous match ended. When you use this anchor with the Regex.Matches or Match.NextMatch method, it ensures that all matches are contiguous.</source> <target state="translated">L'ancre \G spécifie qu'une correspondance doit exister à l'emplacement où la correspondance précédente a pris fin. Quand vous utilisez cette ancre avec la méthode Regex.Matches ou Match.NextMatch, elle vérifie que toutes les correspondances sont contiguës.</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_short"> <source>contiguous matches</source> <target state="translated">correspondances contiguës</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_long"> <source>Matches an ASCII control character, where X is the letter of the control character. For example, \cC is CTRL-C.</source> <target state="translated">Correspond au caractère de contrôle ASCII, où X est la lettre du caractère de contrôle. Exemple : \cC est CTRL-C.</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_short"> <source>control character</source> <target state="translated">caractère de contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_long"> <source>\d matches any decimal digit. It is equivalent to the \p{Nd} regular expression pattern, which includes the standard decimal digits 0-9 as well as the decimal digits of a number of other character sets. If ECMAScript-compliant behavior is specified, \d is equivalent to [0-9]</source> <target state="translated">\d correspond à n'importe quel chiffre décimal. Il est équivalent au modèle d'expression régulière \p{Nd}, qui inclut les chiffres décimaux standard allant de 0 à 9 ainsi que les chiffres décimaux d'un certain nombre d'autres jeux de caractères. Si vous spécifiez un comportement conforme à ECMAScript, \d équivaut à [0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_short"> <source>decimal-digit character</source> <target state="translated">caractère de chiffre décimal</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_long"> <source>A number sign (#) marks an x-mode comment, which starts at the unescaped # character at the end of the regular expression pattern and continues until the end of the line. To use this construct, you must either enable the x option (through inline options) or supply the RegexOptions.IgnorePatternWhitespace value to the option parameter when instantiating the Regex object or calling a static Regex method.</source> <target state="translated">Le signe dièse (#) marque un commentaire en mode x, qui commence au caractère # sans séquence d'échappement, à la fin du modèle d'expression régulière, et se poursuit jusqu'à la fin de la ligne. Pour utiliser cette construction, vous devez activer l'option x (via les options incluses) ou indiquer la valeur de RegexOptions.IgnorePatternWhitespace au paramètre d'option durant l'instanciation de l'objet Regex ou l'appel d'une méthode Regex statique.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_short"> <source>end-of-line comment</source> <target state="translated">commentaire de fin de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_long"> <source>The \z anchor specifies that a match must occur at the end of the input string. Like the $ language element, \z ignores the RegexOptions.Multiline option. Unlike the \Z language element, \z does not match a \n character at the end of a string. Therefore, it can only match the last line of the input string.</source> <target state="translated">L'ancre \z spécifie qu'une correspondance doit exister à la fin de la chaîne d'entrée. Comme l'élément de langage $, \z ignore l'option RegexOptions.Multiline. Contrairement à l'élément de langage \Z, \z ne permet pas de rechercher une correspondance avec un \n caractère situé à la fin d'une chaîne. Il peut donc correspondre uniquement à la dernière ligne de la chaîne d'entrée.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_short"> <source>end of string only</source> <target state="translated">fin de chaîne uniquement</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_long"> <source>The \Z anchor specifies that a match must occur at the end of the input string, or before \n at the end of the input string. It is identical to the $ anchor, except that \Z ignores the RegexOptions.Multiline option. Therefore, in a multiline string, it can only match the end of the last line, or the last line before \n. The \Z anchor matches \n but does not match \r\n (the CR/LF character combination). To match CR/LF, include \r?\Z in the regular expression pattern.</source> <target state="translated">L'ancre \Z spécifie qu'une correspondance doit exister à la fin de la chaîne d'entrée ou avant \n à la fin de la chaîne d'entrée. Elle est identique à l'ancre $, à ceci près que \Z ignore l'option RegexOptions.Multiline. Ainsi, dans une chaîne multiligne, elle peut correspondre uniquement à la fin de la dernière ligne, ou à la dernière ligne située avant \n. L'ancre \Z correspond à \n mais ne correspond pas à \r\n (combinaison de caractères CR/LF). Pour rechercher une correspondance avec CR/LF, ajoutez \r?\Z au modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_short"> <source>end of string or before ending newline</source> <target state="translated">fin de chaîne ou avant la fin d'une nouvelle ligne</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_long"> <source>The $ anchor specifies that the preceding pattern must occur at the end of the input string, or before \n at the end of the input string. If you use $ with the RegexOptions.Multiline option, the match can also occur at the end of a line. The $ anchor matches \n but does not match \r\n (the combination of carriage return and newline characters, or CR/LF). To match the CR/LF character combination, include \r?$ in the regular expression pattern.</source> <target state="translated">L'ancre $ spécifie que le modèle précédent doit exister à la fin de la chaîne d'entrée ou avant \n à la fin de la chaîne d'entrée. Si vous utilisez $ avec l'option RegexOptions.Multiline, la correspondance peut également exister à la fin d'une ligne. L'ancre $ correspond à \n mais ne correspond pas à \r\n (combinaison de caractères de retour chariot et nouvelle ligne, c'est-à-dire CR/LF). Pour rechercher une correspondance avec la combinaison de caractères CR/LF, ajoutez \r?$ au modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_short"> <source>end of string or line</source> <target state="translated">fin de chaîne ou de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_long"> <source>Matches an escape character, \u001B</source> <target state="translated">Correspond au caractère d'échappement, \u001B</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_short"> <source>escape character</source> <target state="translated">caractère d'échappement</target> <note /> </trans-unit> <trans-unit id="Regex_excluded_group"> <source>excluded-group</source> <target state="translated">groupe exclu</target> <note /> </trans-unit> <trans-unit id="Regex_expression"> <source>expression</source> <target state="translated">expression</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_long"> <source>Matches a form-feed character, \u000C</source> <target state="translated">Correspond au caractère de saut de page, \u000C</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_short"> <source>form-feed character</source> <target state="translated">caractère de saut de page</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_long"> <source>This grouping construct applies or disables the specified options within a subexpression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Cette construction de regroupement applique ou désactive les options spécifiées dans une sous-expression. Les options à activer sont spécifiées après le point d'interrogation, et les options à désactiver après le signe moins. Les options autorisées sont les suivantes : i Utilise la correspondance sans respect de la casse. m Utilise le mode multiligne, où ^ et $ correspondent au début et à la fin de chaque ligne (au lieu du début et de la fin de la chaîne d'entrée). s Utilise le mode monoligne, où le point (.) correspond à chaque caractère (au lieu de chaque caractère sauf \n). n Ne capture pas les groupes sans nom. Les seules captures valides sont des groupes explicitement nommés ou numérotés ayant la forme (?&lt;nom&gt; sous-expression). x Exclut les espaces blancs sans séquence d'échappement du modèle, et active les commentaires après un signe dièse (#).</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_short"> <source>group options</source> <target state="translated">options de groupe</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_long"> <source>Matches an ASCII character, where ## is a two-digit hexadecimal character code.</source> <target state="translated">Correspond à un caractère ASCII, où ## est un code de caractère hexadécimal à deux chiffres.</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_short"> <source>hexadecimal escape</source> <target state="translated">échappement hexadécimal</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_long"> <source>The (?# comment) construct lets you include an inline comment in a regular expression. The regular expression engine does not use any part of the comment in pattern matching, although the comment is included in the string that is returned by the Regex.ToString method. The comment ends at the first closing parenthesis.</source> <target state="translated">La construction (?# commentaire) vous permet d'inclure un commentaire dans une expression régulière. Le moteur d'expressions régulières n'utilise aucune partie du commentaire dans les critères spéciaux, bien que le commentaire soit inclus dans la chaîne retournée par la méthode Regex.ToString. Le commentaire finit à la première parenthèse fermante.</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_short"> <source>inline comment</source> <target state="translated">commentaire inclus</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_long"> <source>Enables or disables specific pattern matching options for the remainder of a regular expression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Active ou désactive des options de critères spéciaux spécifiques pour le reste d'une expression régulière. Les options à activer sont spécifiées après le point d'interrogation, et les options à désactiver après le signe moins. Les options autorisées sont les suivantes : i Utilise la correspondance sans respect de la casse. m Utilise le mode multiligne, où ^ et $ correspondent au début et à la fin de chaque ligne (au lieu du début et de la fin de la chaîne d'entrée). s Utilise le mode monoligne, où le point (.) correspond à chaque caractère (au lieu de chaque caractère sauf \n). n Ne capture pas les groupes sans nom. Les seules captures valides sont des groupes explicitement nommés ou numérotés ayant la forme (?&lt;nom&gt; sous-expression). x Exclut les espaces blancs sans séquence d'échappement du modèle, et active les commentaires après un signe dièse (#).</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_short"> <source>inline options</source> <target state="translated">options incluses</target> <note /> </trans-unit> <trans-unit id="Regex_issue_0"> <source>Regex issue: {0}</source> <target state="translated">Problème de regex : {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. {0} will be the actual text of one of the above Regular Expression errors.</note> </trans-unit> <trans-unit id="Regex_letter_lowercase"> <source>letter, lowercase</source> <target state="translated">lettre, minuscule</target> <note /> </trans-unit> <trans-unit id="Regex_letter_modifier"> <source>letter, modifier</source> <target state="translated">lettre, modificateur</target> <note /> </trans-unit> <trans-unit id="Regex_letter_other"> <source>letter, other</source> <target state="translated">lettre, autre</target> <note /> </trans-unit> <trans-unit id="Regex_letter_titlecase"> <source>letter, titlecase</source> <target state="translated">lettre, première lettre des mots en majuscule</target> <note /> </trans-unit> <trans-unit id="Regex_letter_uppercase"> <source>letter, uppercase</source> <target state="translated">lettre, majuscule</target> <note /> </trans-unit> <trans-unit id="Regex_mark_enclosing"> <source>mark, enclosing</source> <target state="translated">marque, englobante</target> <note /> </trans-unit> <trans-unit id="Regex_mark_nonspacing"> <source>mark, nonspacing</source> <target state="translated">marque, sans espacement</target> <note /> </trans-unit> <trans-unit id="Regex_mark_spacing_combining"> <source>mark, spacing combining</source> <target state="translated">marque, espacement combiné</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_long"> <source>The {n,}? quantifier matches the preceding element at least n times, where n is any integer, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,}</source> <target state="translated">Le quantificateur {n,}? recherche une correspondance avec l'élément précédent au moins n fois, où n est un entier, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n,}</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">rechercher une correspondance au moins 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_long"> <source>The {n,} quantifier matches the preceding element at least n times, where n is any integer. {n,} is a greedy quantifier whose lazy equivalent is {n,}?</source> <target state="translated">Le quantificateur {n,} recherche une correspondance avec l'élément précédent au moins n fois, où n est un entier. {n,} est un quantificateur gourmand dont l'équivalent paresseux est {n,}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_short"> <source>match at least 'n' times</source> <target state="translated">rechercher une correspondance au moins 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_long"> <source>The {n,m}? quantifier matches the preceding element between n and m times, where n and m are integers, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,m}</source> <target state="translated">Le quantificateur {n,m}? recherche une correspondance avec l'élément précédent entre n et m fois, où n et m sont des entiers, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n,m}</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">rechercher une correspondance au moins 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_long"> <source>The {n,m} quantifier matches the preceding element at least n times, but no more than m times, where n and m are integers. {n,m} is a greedy quantifier whose lazy equivalent is {n,m}?</source> <target state="translated">Le quantificateur {n,m} correspond à l'élément précédent au moins n fois, mais pas plus de m fois, où n et m sont des entiers. {n,m} est un quantificateur gourmand dont l'équivalent paresseux est {n,m}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_short"> <source>match between 'm' and 'n' times</source> <target state="translated">rechercher une correspondance entre 'm' et 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_long"> <source>The {n}? quantifier matches the preceding element exactly n times, where n is any integer. It is the lazy counterpart of the greedy quantifier {n}+</source> <target state="translated">Le quantificateur {n}? recherche une correspondance avec l'élément précédent exactement n fois, où n est un entier. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n}+</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_short"> <source>match exactly 'n' times (lazy)</source> <target state="translated">rechercher une correspondance exactement 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_long"> <source>The {n} quantifier matches the preceding element exactly n times, where n is any integer. {n} is a greedy quantifier whose lazy equivalent is {n}?</source> <target state="translated">Le quantificateur {n} recherche une correspondance avec l'élément précédent exactement n fois, où n est un entier. {n} est un quantificateur gourmand dont l'équivalent paresseux est {n}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_short"> <source>match exactly 'n' times</source> <target state="translated">rechercher une correspondance exactement 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_long"> <source>The +? quantifier matches the preceding element one or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier +</source> <target state="translated">Le quantificateur recherche une correspondance avec l'élément précédent, une ou plusieurs fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand +</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_short"> <source>match one or more times (lazy)</source> <target state="translated">rechercher une correspondance une ou plusieurs fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_long"> <source>The + quantifier matches the preceding element one or more times. It is equivalent to the {1,} quantifier. + is a greedy quantifier whose lazy equivalent is +?.</source> <target state="translated">Le quantificateur + recherche une correspondance avec l'élément précédent, une ou plusieurs fois. Il est équivalent au quantificateur {1,}. + est un quantificateur gourmand dont l'équivalent paresseux est +?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_short"> <source>match one or more times</source> <target state="translated">rechercher une correspondance une ou plusieurs fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_long"> <source>The *? quantifier matches the preceding element zero or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier *</source> <target state="translated">Le quantificateur *? recherche une correspondance avec l'élément précédent, zéro ou plusieurs fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand *</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_short"> <source>match zero or more times (lazy)</source> <target state="translated">rechercher une correspondance zéro ou plusieurs fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_long"> <source>The * quantifier matches the preceding element zero or more times. It is equivalent to the {0,} quantifier. * is a greedy quantifier whose lazy equivalent is *?.</source> <target state="translated">Le quantificateur * recherche une correspondance avec l'élément précédent, zéro ou plusieurs fois. Il est équivalent au quantificateur {0,}. * est un quantificateur gourmand dont l'équivalent paresseux est *?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_short"> <source>match zero or more times</source> <target state="translated">rechercher une correspondance zéro ou plusieurs fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_long"> <source>The ?? quantifier matches the preceding element zero or one time, but as few times as possible. It is the lazy counterpart of the greedy quantifier ?</source> <target state="translated">Le quantificateur ?? recherche une correspondance avec l'élément précédent, zéro ou une fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand ?</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_short"> <source>match zero or one time (lazy)</source> <target state="translated">rechercher une correspondance zéro ou une fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_long"> <source>The ? quantifier matches the preceding element zero or one time. It is equivalent to the {0,1} quantifier. ? is a greedy quantifier whose lazy equivalent is ??.</source> <target state="translated">Le quantificateur ? recherche une correspondance avec l'élément précédent, zéro ou une fois. Il est équivalent au quantificateur {0,1}. ? est un quantificateur gourmand dont l'équivalent paresseux est ??.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_short"> <source>match zero or one time</source> <target state="translated">rechercher une correspondance zéro ou une fois</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_long"> <source>This grouping construct captures a matched 'subexpression', where 'subexpression' is any valid regular expression pattern. Captures that use parentheses are numbered automatically from left to right based on the order of the opening parentheses in the regular expression, starting from one. The capture that is numbered zero is the text matched by the entire regular expression pattern.</source> <target state="translated">Cette construction de regroupement capture une 'sous-expression' correspondante, où 'sous-expression' représente un modèle d'expression régulière valide. Les captures qui utilisent des parenthèses sont numérotées automatiquement de gauche à droite en fonction de l'ordre des parenthèses ouvrantes dans l'expression régulière, à partir de l'une d'entre elles. La capture numérotée zéro représente le texte correspondant à l'intégralité du modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_short"> <source>matched subexpression</source> <target state="translated">sous-expression correspondante</target> <note /> </trans-unit> <trans-unit id="Regex_name"> <source>name</source> <target state="translated">nom</target> <note /> </trans-unit> <trans-unit id="Regex_name1"> <source>name1</source> <target state="translated">nom1</target> <note /> </trans-unit> <trans-unit id="Regex_name2"> <source>name2</source> <target state="translated">nom2</target> <note /> </trans-unit> <trans-unit id="Regex_name_or_number"> <source>name-or-number</source> <target state="translated">nom-ou-numéro</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_long"> <source>A named or numbered backreference. 'name' is the name of a capturing group defined in the regular expression pattern.</source> <target state="translated">Référence arrière nommée ou numérotée. 'nom' est le nom d'un groupe de capture défini dans le modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_short"> <source>named backreference</source> <target state="translated">référence arrière nommée</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_long"> <source>Captures a matched subexpression and lets you access it by name or by number. 'name' is a valid group name, and 'subexpression' is any valid regular expression pattern. 'name' must not contain any punctuation characters and cannot begin with a number. If the RegexOptions parameter of a regular expression pattern matching method includes the RegexOptions.ExplicitCapture flag, or if the n option is applied to this subexpression, the only way to capture a subexpression is to explicitly name capturing groups.</source> <target state="translated">Capture une sous-expression correspondante et vous permet d'y accéder par le nom ou le numéro. 'nom' est un nom de groupe valide, et 'sous-expression' est un modèle d'expression régulière valide. 'nom' ne doit contenir aucun caractère de ponctuation et ne peut pas commencer par un chiffre. Si le paramètre RegexOptions d'une méthode de critères spéciaux d'expression régulière inclut l'indicateur RegexOptions.ExplicitCapture, ou si l'option n est appliquée à cette sous-expression, le seul moyen de capturer une sous-expression est de nommer explicitement les groupes de capture.</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_short"> <source>named matched subexpression</source> <target state="translated">sous-expression correspondante nommée</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_long"> <source>A negative character group specifies a list of characters that must not appear in an input string for a match to occur. The list of characters are specified individually. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un groupe de caractères négatif spécifie une liste de caractères qui doivent être absents d'une chaîne d'entrée pour produire une correspondance. La liste des caractères est spécifiée individuellement. Vous pouvez concaténer au moins deux plages de caractères. Par exemple, pour spécifier la plage de chiffres décimaux allant de "0" à "9", la plage de lettres minuscules allant de "a" à "f" et la plage de lettres majuscules allant de "A" à "F", utilisez [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_short"> <source>negative character group</source> <target state="translated">groupe de caractères négatif</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_long"> <source>A negative character range specifies a list of characters that must not appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range, and 'lastCharacter' is the character that ends the range. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Une plage de caractères négative spécifie une liste de caractères qui doivent être absents d'une chaîne d'entrée pour produire une correspondance. 'firstCharacter' est le caractère de début de plage, et 'lastCharacter' est le caractère de fin de plage. Vous pouvez concaténer au moins deux plages de caractères. Par exemple, pour spécifier la plage de chiffres décimaux allant de "0" à "9", la plage de lettres minuscules allant de "a" à "f" et la plage de lettres majuscules allant de "A" à "F", utilisez [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_short"> <source>negative character range</source> <target state="translated">plage de caractères négative</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_long"> <source>The regular expression construct \P{ name } matches any character that does not belong to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construction d'expression régulière \P{ nom } correspond aux caractères qui n'appartiennent pas à une catégorie générale Unicode ou à un bloc nommé, nom étant l'abréviation de la catégorie ou le nom du bloc nommé.</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_short"> <source>negative unicode category</source> <target state="translated">catégorie Unicode négative</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_long"> <source>Matches a new-line character, \u000A</source> <target state="translated">Correspond au caractère de nouvelle ligne, \u000A</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_short"> <source>new-line character</source> <target state="translated">caractère de nouvelle ligne</target> <note /> </trans-unit> <trans-unit id="Regex_no"> <source>no</source> <target state="translated">non</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_long"> <source>\D matches any non-digit character. It is equivalent to the \P{Nd} regular expression pattern. If ECMAScript-compliant behavior is specified, \D is equivalent to [^0-9]</source> <target state="translated">\D correspond à n'importe quel caractère non numérique. Il est équivalent au modèle d'expression régulière \P{Nd}. Si vous spécifiez un comportement conforme à ECMAScript, \D équivaut à [^0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_short"> <source>non-digit character</source> <target state="translated">caractère non numérique</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_long"> <source>\S matches any non-white-space character. It is equivalent to the [^\f\n\r\t\v\x85\p{Z}] regular expression pattern, or the opposite of the regular expression pattern that is equivalent to \s, which matches white-space characters. If ECMAScript-compliant behavior is specified, \S is equivalent to [^ \f\n\r\t\v]</source> <target state="translated">\S correspond à tout caractère autre qu'un espace blanc. Il est équivalent au modèle d'expression régulière [^\f\n\r\t\v\x85\p{Z}], ou à l'inverse du modèle d'expression régulière équivalent à \s, qui correspond aux espaces blancs. Si vous spécifiez un comportement conforme à ECMAScript, \S équivaut à [^ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_short"> <source>non-white-space character</source> <target state="translated">caractère autre qu'un espace blanc</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_long"> <source>The \B anchor specifies that the match must not occur on a word boundary. It is the opposite of the \b anchor.</source> <target state="translated">L'ancre \B spécifie que la correspondance ne doit pas être effectuée sur une limite de mot. Il s'agit du contraire de l'ancre \b.</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_short"> <source>non-word boundary</source> <target state="translated">limite de non-mot</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_character_long"> <source>\W matches any non-word character. It matches any character except for those in the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \W is equivalent to [^a-zA-Z_0-9]</source> <target state="translated">\W correspond à un caractère de non-mot. Il correspond à n'importe quel caractère à l'exception de ceux des catégories Unicode suivantes : Ll Lettre, Minuscule Lu Lettre, Majuscule Lt Lettre, Première lettre des mots en majuscule Lo Lettre, Autre Lm Lettre, Modificateur Mn Marque, Sans espacement Nd Nombre, Chiffre décimal Pc Ponctuation, Connecteur Si vous spécifiez un comportement conforme à ECMAScript, \W équivaut à [^a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized. </note> </trans-unit> <trans-unit id="Regex_non_word_character_short"> <source>non-word character</source> <target state="translated">caractère de non-mot</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_long"> <source>This construct does not capture the substring that is matched by a subexpression: The noncapturing group construct is typically used when a quantifier is applied to a group, but the substrings captured by the group are of no interest. If a regular expression includes nested grouping constructs, an outer noncapturing group construct does not apply to the inner nested group constructs.</source> <target state="translated">Cette construction ne capture pas la sous-chaîne correspondant à une sous-expression : La construction de groupe sans capture est généralement utilisée quand un quantificateur est appliqué à un groupe, mais que les sous-chaînes capturées par le groupe ne présentent pas d'intérêt. Si une expression régulière inclut des constructions de regroupement imbriqué, une construction de groupe sans capture externe ne s'applique pas aux constructions de groupes imbriqués internes.</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_short"> <source>noncapturing group</source> <target state="translated">groupe sans capture</target> <note /> </trans-unit> <trans-unit id="Regex_number_decimal_digit"> <source>number, decimal digit</source> <target state="translated">nombre, chiffre décimal</target> <note /> </trans-unit> <trans-unit id="Regex_number_letter"> <source>number, letter</source> <target state="translated">nombre, lettre</target> <note /> </trans-unit> <trans-unit id="Regex_number_other"> <source>number, other</source> <target state="translated">nombre, autre</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_long"> <source>A numbered backreference, where 'number' is the ordinal position of the capturing group in the regular expression. For example, \4 matches the contents of the fourth capturing group. There is an ambiguity between octal escape codes (such as \16) and \number backreferences that use the same notation. If the ambiguity is a problem, you can use the \k&lt;name&gt; notation, which is unambiguous and cannot be confused with octal character codes. Similarly, hexadecimal codes such as \xdd are unambiguous and cannot be confused with backreferences.</source> <target state="translated">Référence arrière numérotée, où 'nombre' représente la position ordinale du groupe de capture dans l'expression régulière. Par exemple, \4 correspond au contenu du quatrième groupe de capture. Il existe une ambiguïté entre les codes d'échappement octaux (par exemple \16) et les références arrière \nnumérotées qui utilisent la même notation. Si l'ambiguïté pose un problème, vous pouvez utiliser la notation \k&lt;nom&gt;, qui est plus claire et qui ne peut pas être confondue avec les codes de caractère octaux. De même, les codes hexadécimaux tels que \xdd ne sont pas ambigus et ne peuvent pas être confondus avec les références arrière.</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_short"> <source>numbered backreference</source> <target state="translated">référence arrière numérotée</target> <note /> </trans-unit> <trans-unit id="Regex_other_control"> <source>other, control</source> <target state="translated">autre, contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_other_format"> <source>other, format</source> <target state="translated">autre, format</target> <note /> </trans-unit> <trans-unit id="Regex_other_not_assigned"> <source>other, not assigned</source> <target state="translated">autre, non affecté</target> <note /> </trans-unit> <trans-unit id="Regex_other_private_use"> <source>other, private use</source> <target state="translated">autre, usage privé</target> <note /> </trans-unit> <trans-unit id="Regex_other_surrogate"> <source>other, surrogate</source> <target state="translated">autre, substitution</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_long"> <source>A positive character group specifies a list of characters, any one of which may appear in an input string for a match to occur.</source> <target state="translated">Un groupe de caractères positif spécifie une liste de caractères, dont l'un d'entre eux peut apparaître dans une chaîne d'entrée pour produire une correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_short"> <source>positive character group</source> <target state="translated">groupe de caractères positif</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_long"> <source>A positive character range specifies a range of characters, any one of which may appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range and 'lastCharacter' is the character that ends the range. </source> <target state="translated">Une plage de caractères positive spécifie une plage de caractères, dont l'un d'entre eux peut apparaître dans une chaîne d'entrée pour produire une correspondance. 'firstCharacter' est le caractère de début de plage, et 'lastCharacter' est le caractère de fin de plage. </target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_short"> <source>positive character range</source> <target state="translated">plage de caractères positive</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_close"> <source>punctuation, close</source> <target state="translated">ponctuation, fermeture</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_connector"> <source>punctuation, connector</source> <target state="translated">ponctuation, connecteur</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_dash"> <source>punctuation, dash</source> <target state="translated">ponctuation, tiret</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_final_quote"> <source>punctuation, final quote</source> <target state="translated">ponctuation, guillemet final</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_initial_quote"> <source>punctuation, initial quote</source> <target state="translated">ponctuation, guillemet initial</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_open"> <source>punctuation, open</source> <target state="translated">ponctuation, ouverture</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_other"> <source>punctuation, other</source> <target state="translated">ponctuation, autre</target> <note /> </trans-unit> <trans-unit id="Regex_separator_line"> <source>separator, line</source> <target state="translated">séparateur, ligne</target> <note /> </trans-unit> <trans-unit id="Regex_separator_paragraph"> <source>separator, paragraph</source> <target state="translated">séparateur, paragraphe</target> <note /> </trans-unit> <trans-unit id="Regex_separator_space"> <source>separator, space</source> <target state="translated">séparateur, espace</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_long"> <source>The \A anchor specifies that a match must occur at the beginning of the input string. It is identical to the ^ anchor, except that \A ignores the RegexOptions.Multiline option. Therefore, it can only match the start of the first line in a multiline input string.</source> <target state="translated">L'ancre \A spécifie qu'une correspondance doit exister au début de la chaîne d'entrée. Elle est identique à l'ancre ^, à ceci près que \A ignore l'option RegexOptions.Multiline. Ainsi, elle correspond uniquement au début de la première ligne d'une chaîne d'entrée multiligne.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_short"> <source>start of string only</source> <target state="translated">début de chaîne uniquement</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_long"> <source>The ^ anchor specifies that the following pattern must begin at the first character position of the string. If you use ^ with the RegexOptions.Multiline option, the match must occur at the beginning of each line.</source> <target state="translated">L'ancre ^ spécifie que le modèle suivant doit commencer à la position du premier caractère de la chaîne. Si vous utilisez ^ avec l'option RegexOptions.Multiline, la correspondance doit exister au début de chaque ligne.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_short"> <source>start of string or line</source> <target state="translated">début de chaîne ou de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_subexpression"> <source>subexpression</source> <target state="translated">sous-expression</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_currency"> <source>symbol, currency</source> <target state="translated">symbole, devise</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_math"> <source>symbol, math</source> <target state="translated">symbole, math</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_modifier"> <source>symbol, modifier</source> <target state="translated">symbole, modificateur</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_other"> <source>symbol, other</source> <target state="translated">symbole, autre</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_long"> <source>Matches a tab character, \u0009</source> <target state="translated">Correspond au caractère de tabulation, \u0009</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_short"> <source>tab character</source> <target state="translated">caractère de tabulation</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_long"> <source>The regular expression construct \p{ name } matches any character that belongs to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construction d'expression régulière \p{ nom } correspond aux caractères qui appartiennent à une catégorie générale Unicode ou à un bloc nommé, nom étant l'abréviation de la catégorie ou le nom du bloc nommé.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_short"> <source>unicode category</source> <target state="translated">catégorie Unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_long"> <source>Matches a UTF-16 code unit whose value is #### hexadecimal.</source> <target state="translated">Correspond à une unité de code UTF-16 dont la valeur est au format hexadécimal ####.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_short"> <source>unicode escape</source> <target state="translated">échappement Unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_general_category_0"> <source>Unicode General Category: {0}</source> <target state="translated">Catégorie générale Unicode : {0}</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_long"> <source>Matches a vertical-tab character, \u000B</source> <target state="translated">Correspond au caractère de tabulation verticale, \u000B</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_short"> <source>vertical-tab character</source> <target state="translated">caractère de tabulation verticale</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_long"> <source>\s matches any white-space character. It is equivalent to the following escape sequences and Unicode categories: \f The form feed character, \u000C \n The newline character, \u000A \r The carriage return character, \u000D \t The tab character, \u0009 \v The vertical tab character, \u000B \x85 The ellipsis or NEXT LINE (NEL) character (…), \u0085 \p{Z} Matches any separator character If ECMAScript-compliant behavior is specified, \s is equivalent to [ \f\n\r\t\v]</source> <target state="translated">\s correspond à un caractère représentant un espace blanc. Il équivaut aux séquences d'échappement et aux catégories Unicode suivantes : \f Caractère de saut de page, \u000C \n Caractère nouvelle ligne, \u000A \r Caractère de retour chariot, \u000D \t Caractère de tabulation, \u0009 \v Caractère de tabulation verticale, \u000B \x85 Caractère des points de suspension ou NEL (NEXT LINE) (…), \u0085 \p{Z} Correspond à un caractère de séparation Si vous spécifiez un comportement conforme à ECMAScript, \s équivaut à [ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_short"> <source>white-space character</source> <target state="translated">caractère d'espace blanc</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_long"> <source>The \b anchor specifies that the match must occur on a boundary between a word character (the \w language element) and a non-word character (the \W language element). Word characters consist of alphanumeric characters and underscores; a non-word character is any character that is not alphanumeric or an underscore. The match may also occur on a word boundary at the beginning or end of the string. The \b anchor is frequently used to ensure that a subexpression matches an entire word instead of just the beginning or end of a word.</source> <target state="translated">L'ancre \b spécifie que la correspondance doit se trouver à la limite située entre un caractère de mot (élément de langage \w) et un caractère de non-mot (élément de langage \W). Les caractères de mots sont constitués de caractères alphanumériques et de traits de soulignement. Un caractère de non-mot est un caractère qui n'est pas alphanumérique ou qui n'est pas un trait de soulignement. La correspondance peut également se produire à une limite de mot, au début ou à la fin de la chaîne. L'ancre \b est fréquemment utilisée pour vérifier qu'une sous-expression correspond à un mot entier, et non simplement au début ou à la fin d'un mot.</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_short"> <source>word boundary</source> <target state="translated">limite de mot</target> <note /> </trans-unit> <trans-unit id="Regex_word_character_long"> <source>\w matches any word character. A word character is a member of any of the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \w is equivalent to [a-zA-Z_0-9]</source> <target state="translated">\w correspond à n'importe quel caractère de mot. Un caractère de mot appartient à l'une des catégories Unicode suivantes : Ll Lettre, Minuscule Lu Lettre, Majuscule Lt Lettre, Première lettre des mots en majuscule Lo Lettre, Autre Lm Lettre, Modificateur Mn Marque, Sans espacement Nd Nombre, Chiffre décimal Pc Ponctuation, Connecteur Si vous spécifiez un comportement conforme à ECMAScript, \w équivaut à [a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized.</note> </trans-unit> <trans-unit id="Regex_word_character_short"> <source>word character</source> <target state="translated">caractère de mot</target> <note /> </trans-unit> <trans-unit id="Regex_yes"> <source>yes</source> <target state="translated">oui</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_long"> <source>A zero-width negative lookahead assertion, where for the match to be successful, the input string must not match the regular expression pattern in subexpression. The matched string is not included in the match result. A zero-width negative lookahead assertion is typically used either at the beginning or at the end of a regular expression. At the beginning of a regular expression, it can define a specific pattern that should not be matched when the beginning of the regular expression defines a similar but more general pattern to be matched. In this case, it is often used to limit backtracking. At the end of a regular expression, it can define a subexpression that cannot occur at the end of a match.</source> <target state="translated">Assertion avant négative de largeur nulle, où, pour que la correspondance soit réussie, la chaîne d'entrée ne doit pas correspondre au modèle d'expression régulière de la sous-expression. La chaîne correspondante n'est pas incluse dans le résultat de la correspondance. Une assertion avant négative de largeur nulle est généralement utilisée au début ou à la fin d'une expression régulière. Au début d'une expression régulière, elle peut définir un modèle spécifique à ne pas mettre en correspondance quand le début de l'expression régulière définit un modèle similaire, mais plus général, à mettre en correspondance. Dans ce cas, elle est souvent utilisée pour limiter le retour sur trace. À la fin d'une expression régulière, elle peut définir une sous-expression qui ne peut pas se produire à la fin d'une correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_short"> <source>zero-width negative lookahead assertion</source> <target state="translated">assertion avant négative de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_long"> <source>A zero-width negative lookbehind assertion, where for a match to be successful, 'subexpression' must not occur at the input string to the left of the current position. Any substring that does not match 'subexpression' is not included in the match result. Zero-width negative lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define precludes a match in the string that follows. They are also used to limit backtracking when the last character or characters in a captured group must not be one or more of the characters that match that group's regular expression pattern.</source> <target state="translated">Assertion arrière négative de largeur nulle, où, pour qu'une correspondance soit réussie, la 'sous-expression' ne doit pas apparaître dans la chaîne d'entrée à gauche de la position actuelle. Les sous-chaînes qui ne correspondent pas à la 'sous-expression' ne sont pas incluses dans le résultat de la correspondance. Les assertions arrière négatives de largeur nulle sont généralement utilisées au début des expressions régulières. Le modèle qu'elles définissent empêche toute correspondance dans la chaîne qui suit. Elles sont également utilisées pour limiter le retour sur trace quand le ou les derniers caractères d'un groupe capturé ne doivent pas représenter un ou plusieurs des caractères qui correspondent au modèle d'expression régulière de ce groupe.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_short"> <source>zero-width negative lookbehind assertion</source> <target state="translated">assertion arrière négative de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_long"> <source>A zero-width positive lookahead assertion, where for a match to be successful, the input string must match the regular expression pattern in 'subexpression'. The matched substring is not included in the match result. A zero-width positive lookahead assertion does not backtrack. Typically, a zero-width positive lookahead assertion is found at the end of a regular expression pattern. It defines a substring that must be found at the end of a string for a match to occur but that should not be included in the match. It is also useful for preventing excessive backtracking. You can use a zero-width positive lookahead assertion to ensure that a particular captured group begins with text that matches a subset of the pattern defined for that captured group.</source> <target state="translated">Assertion avant positive de largeur nulle, où, pour qu'une correspondance soit réussie, la chaîne d'entrée doit correspondre au modèle d'expression régulière de la 'sous-expression'. La sous-chaîne correspondante n'est pas incluse dans le résultat de la correspondance. Une assertion avant positive de largeur nulle n'effectue pas de rétroaction. En règle générale, une assertion avant positive de largeur nulle se trouve à la fin d'un modèle d'expression régulière. Elle définit une sous-chaîne qui doit se trouver à la fin d'une chaîne pour qu'une correspondance se produise mais qui ne doit pas être incluse dans la correspondance. Elle permet également d'empêcher un retour sur trace excessif. Vous pouvez utiliser une assertion avant positive de largeur nulle pour vérifier qu'un groupe capturé particulier commence par un texte correspondant à un sous-ensemble du modèle défini pour ce groupe capturé.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_short"> <source>zero-width positive lookahead assertion</source> <target state="translated">assertion avant positive de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_long"> <source>A zero-width positive lookbehind assertion, where for a match to be successful, 'subexpression' must occur at the input string to the left of the current position. 'subexpression' is not included in the match result. A zero-width positive lookbehind assertion does not backtrack. Zero-width positive lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define is a precondition for a match, although it is not a part of the match result.</source> <target state="translated">Assertion arrière positive de largeur nulle, où, pour qu'une correspondance soit réussie, la 'sous-expression' doit apparaître dans la chaîne d'entrée à gauche de la position actuelle. La 'sous-expression' n'est pas incluse dans le résultat de la correspondance. Une assertion arrière positive de largeur nulle n'effectue pas de rétroaction. Les assertions arrière positives de largeur nulle sont généralement utilisées au début des expressions régulières. Le modèle qu'elles définissent est une condition préalable à une correspondance, bien qu'il ne fasse pas partie du résultat de la correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_short"> <source>zero-width positive lookbehind assertion</source> <target state="translated">assertion arrière positive de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Related_method_signatures_found_in_metadata_will_not_be_updated"> <source>Related method signatures found in metadata will not be updated.</source> <target state="translated">Les signatures de méthode associées dans les métadonnées ne sont pas mises à jour.</target> <note /> </trans-unit> <trans-unit id="Removal_of_document_not_supported"> <source>Removal of document not supported</source> <target state="translated">Suppression du document non prise en charge</target> <note /> </trans-unit> <trans-unit id="Remove_async_modifier"> <source>Remove 'async' modifier</source> <target state="translated">Supprimer le modificateur 'async'</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_casts"> <source>Remove unnecessary casts</source> <target state="translated">Supprimer les casts inutiles</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variables"> <source>Remove unused variables</source> <target state="translated">Supprimer les variables inutilisées</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_accessed_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_contains_an_active_statement_requires_restarting_the_application"> <source>Removing {0} that contains an active statement requires restarting the application.</source> <target state="new">Removing {0} that contains an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application"> <source>Renaming {0} requires restarting the application.</source> <target state="new">Renaming {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Renaming {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Renaming {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Renaming_a_captured_variable_from_0_to_1_requires_restarting_the_application"> <source>Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</source> <target state="new">Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_1"> <source>Replace '{0}' with '{1}' </source> <target state="translated">Remplacer '{0}' par '{1}'</target> <note /> </trans-unit> <trans-unit id="Resolve_conflict_markers"> <source>Resolve conflict markers</source> <target state="translated">Résoudre les marqueurs de conflit</target> <note /> </trans-unit> <trans-unit id="RudeEdit"> <source>Rude edit</source> <target state="translated">Modification non applicable</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_token"> <source>Selection does not contain a valid token.</source> <target state="new">Selection does not contain a valid token.</target> <note /> </trans-unit> <trans-unit id="Selection_not_contained_inside_a_type"> <source>Selection not contained inside a type.</source> <target state="new">Selection not contained inside a type.</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Trier les modificateurs d'accessibilité</target> <note /> </trans-unit> <trans-unit id="Split_into_consecutive_0_statements"> <source>Split into consecutive '{0}' statements</source> <target state="translated">Diviser en instructions '{0}' consécutives</target> <note /> </trans-unit> <trans-unit id="Split_into_nested_0_statements"> <source>Split into nested '{0}' statements</source> <target state="translated">Diviser en instructions '{0}' imbriquées</target> <note /> </trans-unit> <trans-unit id="StreamMustSupportReadAndSeek"> <source>Stream must support read and seek operations.</source> <target state="translated">Le flux doit prendre en charge les opérations de lecture et de recherche.</target> <note /> </trans-unit> <trans-unit id="Suppress_0"> <source>Suppress {0}</source> <target state="translated">Supprimer {0}</target> <note /> </trans-unit> <trans-unit id="Switching_between_lambda_and_local_function_requires_restarting_the_application"> <source>Switching between a lambda and a local function requires restarting the application.</source> <target state="new">Switching between a lambda and a local function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="TODO_colon_free_unmanaged_resources_unmanaged_objects_and_override_finalizer"> <source>TODO: free unmanaged resources (unmanaged objects) and override finalizer</source> <target state="translated">TODO: libérer les ressources non managées (objets non managés) et substituer le finaliseur</target> <note /> </trans-unit> <trans-unit id="TODO_colon_override_finalizer_only_if_0_has_code_to_free_unmanaged_resources"> <source>TODO: override finalizer only if '{0}' has code to free unmanaged resources</source> <target state="translated">TODO: substituer le finaliseur uniquement si '{0}' a du code pour libérer les ressources non managées</target> <note /> </trans-unit> <trans-unit id="Target_type_matches"> <source>Target type matches</source> <target state="translated">Cibler les correspondances de types</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_containing_type_1_references_NET_Framework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">L'assembly '{0}' contenant le type '{1}' référence le .NET Framework, ce qui n'est pas pris en charge.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_a_local_function_call_without_its_declaration"> <source>The selection contains a local function call without its declaration.</source> <target state="translated">La sélection contient un appel de fonction locale sans sa déclaration.</target> <note /> </trans-unit> <trans-unit id="Too_many_bars_in_conditional_grouping"> <source>Too many | in (?()|)</source> <target state="translated">Trop de | dans (?()|)</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0)a|b|)</note> </trans-unit> <trans-unit id="Too_many_close_parens"> <source>Too many )'s</source> <target state="translated">Trop de )'s</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: )</note> </trans-unit> <trans-unit id="UnableToReadSourceFileOrPdb"> <source>Unable to read source file '{0}' or the PDB built for the containing project. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">Impossible de lire le fichier source '{0}' ou le PDB généré pour le projet conteneur. Les changements apportés à ce fichier durant le débogage ne seront pas appliqués tant que son contenu ne correspondra pas à la source générée.</target> <note /> </trans-unit> <trans-unit id="Unknown_property"> <source>Unknown property</source> <target state="translated">Propriété inconnue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{}</note> </trans-unit> <trans-unit id="Unknown_property_0"> <source>Unknown property '{0}'</source> <target state="translated">Propriété inconnue '{0}'</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{xxx}. Here, {0} will be the name of the unknown property ('xxx')</note> </trans-unit> <trans-unit id="Unrecognized_control_character"> <source>Unrecognized control character</source> <target state="translated">Caractère de contrôle non reconnu</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [\c]</note> </trans-unit> <trans-unit id="Unrecognized_escape_sequence_0"> <source>Unrecognized escape sequence \{0}</source> <target state="translated">Séquence d'échappement non reconnue \{0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \m. Here, {0} will be the unrecognized character ('m')</note> </trans-unit> <trans-unit id="Unrecognized_grouping_construct"> <source>Unrecognized grouping construct</source> <target state="translated">Construction de regroupement non reconnue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;</note> </trans-unit> <trans-unit id="Unterminated_character_class_set"> <source>Unterminated [] set</source> <target state="translated">Ensemble [] inachevé</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [</note> </trans-unit> <trans-unit id="Unterminated_regex_comment"> <source>Unterminated (?#...) comment</source> <target state="translated">Commentaire (?#...) non terminé</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?#</note> </trans-unit> <trans-unit id="Unwrap_all_arguments"> <source>Unwrap all arguments</source> <target state="translated">Désenvelopper tous les arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_all_parameters"> <source>Unwrap all parameters</source> <target state="translated">Désenvelopper tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_arguments"> <source>Unwrap and indent all arguments</source> <target state="translated">Désenvelopper et mettre en retrait tous les arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_parameters"> <source>Unwrap and indent all parameters</source> <target state="translated">Désenvelopper et mettre en retrait tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Unwrap_argument_list"> <source>Unwrap argument list</source> <target state="translated">Désenvelopper la liste d'arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_call_chain"> <source>Unwrap call chain</source> <target state="translated">Désenvelopper la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Unwrap_expression"> <source>Unwrap expression</source> <target state="translated">Désenvelopper l'expression</target> <note /> </trans-unit> <trans-unit id="Unwrap_parameter_list"> <source>Unwrap parameter list</source> <target state="translated">Désenvelopper la liste de paramètres</target> <note /> </trans-unit> <trans-unit id="Updating_0_requires_restarting_the_application"> <source>Updating '{0}' requires restarting the application.</source> <target state="new">Updating '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_0_around_an_active_statement_requires_restarting_the_application"> <source>Updating a {0} around an active statement requires restarting the application.</source> <target state="new">Updating a {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_complex_statement_containing_an_await_expression_requires_restarting_the_application"> <source>Updating a complex statement containing an await expression requires restarting the application.</source> <target state="new">Updating a complex statement containing an await expression requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_an_active_statement_requires_restarting_the_application"> <source>Updating an active statement requires restarting the application.</source> <target state="new">Updating an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_async_or_iterator_modifier_around_an_active_statement_requires_restarting_the_application"> <source>Updating async or iterator modifier around an active statement requires restarting the application.</source> <target state="new">Updating async or iterator modifier around an active statement requires restarting the application.</target> <note>{Locked="async"}{Locked="iterator"} "async" and "iterator" are C#/VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_reloadable_type_marked_by_0_attribute_or_its_member_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</source> <target state="new">Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_Handles_clause_of_0_requires_restarting_the_application"> <source>Updating the Handles clause of {0} requires restarting the application.</source> <target state="new">Updating the Handles clause of {0} requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_Implements_clause_of_a_0_requires_restarting_the_application"> <source>Updating the Implements clause of a {0} requires restarting the application.</source> <target state="new">Updating the Implements clause of a {0} requires restarting the application.</target> <note>{Locked="Implements"} "Implements" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_alias_of_Declare_statement_requires_restarting_the_application"> <source>Updating the alias of Declare statement requires restarting the application.</source> <target state="new">Updating the alias of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_attributes_of_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_base_class_and_or_base_interface_s_of_0_requires_restarting_the_application"> <source>Updating the base class and/or base interface(s) of {0} requires restarting the application.</source> <target state="new">Updating the base class and/or base interface(s) of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_initializer_of_0_requires_restarting_the_application"> <source>Updating the initializer of {0} requires restarting the application.</source> <target state="new">Updating the initializer of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_property_event_accessor_requires_restarting_the_application"> <source>Updating the kind of a property/event accessor requires restarting the application.</source> <target state="new">Updating the kind of a property/event accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_type_requires_restarting_the_application"> <source>Updating the kind of a type requires restarting the application.</source> <target state="new">Updating the kind of a type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_library_name_of_Declare_statement_requires_restarting_the_application"> <source>Updating the library name of Declare statement requires restarting the application.</source> <target state="new">Updating the library name of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_modifiers_of_0_requires_restarting_the_application"> <source>Updating the modifiers of {0} requires restarting the application.</source> <target state="new">Updating the modifiers of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_size_of_a_0_requires_restarting_the_application"> <source>Updating the size of a {0} requires restarting the application.</source> <target state="new">Updating the size of a {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_type_of_0_requires_restarting_the_application"> <source>Updating the type of {0} requires restarting the application.</source> <target state="new">Updating the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_underlying_type_of_0_requires_restarting_the_application"> <source>Updating the underlying type of {0} requires restarting the application.</source> <target state="new">Updating the underlying type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_variance_of_0_requires_restarting_the_application"> <source>Updating the variance of {0} requires restarting the application.</source> <target state="new">Updating the variance of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Use_block_body_for_lambda_expressions"> <source>Use block body for lambda expressions</source> <target state="translated">Utiliser le corps de bloc pour les expressions lambda</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambda_expressions"> <source>Use expression body for lambda expressions</source> <target state="translated">Utiliser le corps d'expression pour les expressions lambda</target> <note /> </trans-unit> <trans-unit id="Use_interpolated_verbatim_string"> <source>Use interpolated verbatim string</source> <target state="translated">Utiliser une chaîne verbatim interpolée</target> <note /> </trans-unit> <trans-unit id="Value_colon"> <source>Value:</source> <target state="translated">Valeur :</target> <note /> </trans-unit> <trans-unit id="Warning_colon_changing_namespace_may_produce_invalid_code_and_change_code_meaning"> <source>Warning: Changing namespace may produce invalid code and change code meaning.</source> <target state="translated">Avertissement : Le changement d’espace de noms peut produire du code non valide et changer la signification du code.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_semantics_may_change_when_converting_statement"> <source>Warning: Semantics may change when converting statement.</source> <target state="translated">Avertissement : La sémantique peut changer durant la conversion d'une instruction.</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_call_chain"> <source>Wrap and align call chain</source> <target state="translated">Envelopper et aligner la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_expression"> <source>Wrap and align expression</source> <target state="translated">Envelopper et aligner l'expression</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_long_call_chain"> <source>Wrap and align long call chain</source> <target state="translated">Envelopper et aligner la longue chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_call_chain"> <source>Wrap call chain</source> <target state="translated">Envelopper la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_every_argument"> <source>Wrap every argument</source> <target state="translated">Envelopper chaque argument</target> <note /> </trans-unit> <trans-unit id="Wrap_every_parameter"> <source>Wrap every parameter</source> <target state="translated">Envelopper chaque paramètre</target> <note /> </trans-unit> <trans-unit id="Wrap_expression"> <source>Wrap expression</source> <target state="translated">Envelopper l'expression</target> <note /> </trans-unit> <trans-unit id="Wrap_long_argument_list"> <source>Wrap long argument list</source> <target state="translated">Envelopper la longue liste d'arguments</target> <note /> </trans-unit> <trans-unit id="Wrap_long_call_chain"> <source>Wrap long call chain</source> <target state="translated">Envelopper la longue chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_long_parameter_list"> <source>Wrap long parameter list</source> <target state="translated">Envelopper la longue liste de paramètres</target> <note /> </trans-unit> <trans-unit id="Wrapping"> <source>Wrapping</source> <target state="translated">Enveloppement</target> <note /> </trans-unit> <trans-unit id="You_can_use_the_navigation_bar_to_switch_contexts"> <source>You can use the navigation bar to switch contexts.</source> <target state="translated">Vous pouvez utiliser la barre de navigation pour changer de contexte.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_empty"> <source>'{0}' cannot be null or empty.</source> <target state="translated">« {0} » ne peut pas être vide ou avoir la valeur Null.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_whitespace"> <source>'{0}' cannot be null or whitespace.</source> <target state="translated">'{0}' ne peut pas avoir une valeur null ou être un espace blanc.</target> <note /> </trans-unit> <trans-unit id="_0_dash_1"> <source>{0} - {1}</source> <target state="translated">{0} - {1}</target> <note /> </trans-unit> <trans-unit id="_0_is_not_null_here"> <source>'{0}' is not null here.</source> <target state="translated">'{0}' n'a pas une valeur null ici.</target> <note /> </trans-unit> <trans-unit id="_0_may_be_null_here"> <source>'{0}' may be null here.</source> <target state="translated">'{0}' a peut-être une valeur null ici.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second"> <source>10,000,000ths of a second</source> <target state="translated">10 000 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_description"> <source>The "fffffff" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "fffffff" représente les sept chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millionièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les dix millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero"> <source>10,000,000ths of a second (non-zero)</source> <target state="translated">10 000 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero_description"> <source>The "FFFFFFF" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. However, trailing zeros or seven zero digits aren't displayed. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFFFF" représente les sept chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millionièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les sept chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les dix millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second"> <source>1,000,000ths of a second</source> <target state="translated">1 000 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_description"> <source>The "ffffff" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "ffffff" représente les six chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millionièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero"> <source>1,000,000ths of a second (non-zero)</source> <target state="translated">1 000 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero_description"> <source>The "FFFFFF" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. However, trailing zeros or six zero digits aren't displayed. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFFF" représente les six chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millionièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les six chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second"> <source>100,000ths of a second</source> <target state="translated">100 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_description"> <source>The "fffff" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "fffff" représente les cinq chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les cents millièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les cents millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero"> <source>100,000ths of a second (non-zero)</source> <target state="translated">100 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero_description"> <source>The "FFFFF" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. However, trailing zeros or five zero digits aren't displayed. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFF" représente les cinq chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les cents millièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les cinq chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les cents millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second"> <source>10,000ths of a second</source> <target state="translated">10 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_description"> <source>The "ffff" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT version 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "ffff" représente les quatre chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les dix millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT version 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero"> <source>10,000ths of a second (non-zero)</source> <target state="translated">10 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero_description"> <source>The "FFFF" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. However, trailing zeros or four zero digits aren't displayed. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFF" représente les quatre chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les quatre chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les dix millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second"> <source>1,000ths of a second</source> <target state="translated">1 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_description"> <source>The "fff" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value.</source> <target state="translated">Le spécificateur de format personnalisé "fff" représente les trois chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millisecondes d'une valeur de date et d'heure.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero"> <source>1,000ths of a second (non-zero)</source> <target state="translated">1 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero_description"> <source>The "FFF" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value. However, trailing zeros or three zero digits aren't displayed.</source> <target state="translated">Le spécificateur de format personnalisé "FFF" représente les trois chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millisecondes d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les trois chiffres correspondant à des zéros ne sont pas affichés.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second"> <source>100ths of a second</source> <target state="translated">100es de seconde</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_description"> <source>The "ff" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value.</source> <target state="translated">Le spécificateur de format personnalisé "ff" représente les deux chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les centièmes de seconde d'une valeur de date et d'heure.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero"> <source>100ths of a second (non-zero)</source> <target state="translated">100es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero_description"> <source>The "FF" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value. However, trailing zeros or two zero digits aren't displayed.</source> <target state="translated">Le spécificateur de format personnalisé "FF" représente les deux chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les centièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les deux chiffres correspondant à des zéros ne sont pas affichés.</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second"> <source>10ths of a second</source> <target state="translated">10es de seconde</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_description"> <source>The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</source> <target state="new">The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</target> <note>{Locked="ParseExact"}{Locked="TryParseExact"}{Locked=""f""}</note> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero"> <source>10ths of a second (non-zero)</source> <target state="translated">10es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero_description"> <source>The "F" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. Nothing is displayed if the digit is zero. If the "F" format specifier is used without other format specifiers, it's interpreted as the "F" standard date and time format specifier. The number of "F" format specifiers used with the ParseExact, TryParseExact, ParseExact, or TryParseExact method indicates the maximum number of most significant digits of the seconds fraction that can be present to successfully parse the string.</source> <target state="translated">Le spécificateur de format personnalisé "F" représente le chiffre le plus significatif de la fraction de seconde. En d'autres termes, il représente les dixièmes de seconde d'une valeur de date et d'heure. Rien ne s'affiche si le chiffre est zéro. Si le spécificateur de format "F" est utilisé sans autres spécificateurs de format, il est interprété en tant que spécificateur de format de date et d'heure standard : "F". Le nombre de spécificateurs de format "F" utilisés avec la méthode ParseExact, TryParseExact, ParseExact ou TryParseExact indique le nombre maximal de chiffres les plus significatifs de la fraction de seconde qui peuvent être présents pour permettre une analyse correcte de la chaîne.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits"> <source>12 hour clock (1-2 digits)</source> <target state="translated">Horloge de 12 heures (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits_description"> <source>The "h" custom format specifier represents the hour as a number from 1 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted without a leading zero. For example, given a time of 5:43 in the morning or afternoon, this custom format specifier displays "5". If the "h" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "h" représente l'heure sous la forme d'un nombre compris entre 1 et 12. En d'autres termes, l'heure est représentée par une horloge de 12 heures qui compte les heures entières depuis minuit ou midi. Vous ne pouvez pas différencier une heure particulière après minuit et la même heure après midi. L'heure n'est pas arrondie, et une heure à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Par exemple, s'il est 5:43 du matin ou de l'après-midi, le spécificateur de format personnalisé affiche "5". Si le spécificateur de format "h" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits"> <source>12 hour clock (2 digits)</source> <target state="translated">Horloge de 12 heures (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits_description"> <source>The "hh" custom format specifier (plus any number of additional "h" specifiers) represents the hour as a number from 01 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted with a leading zero. For example, given a time of 5:43 in the morning or afternoon, this format specifier displays "05".</source> <target state="translated">Le spécificateur de format personnalisé "hh" (plus n'importe quel nombre de spécificateurs "h" supplémentaires) représente les heures sous la forme d'un nombre compris entre 01 et 12. En d'autres termes, les heures sont représentées par une horloge de 12 heures qui compte les heures entières écoulées depuis minuit ou midi. Vous ne pouvez pas différencier une heure particulière après minuit et la même heure après midi. L'heure n'est pas arrondie, et une heure à un chiffre est présentée dans un format qui comporte un zéro de début. Par exemple, s'il est 5:43 du matin ou de l'après-midi, le spécificateur de format personnalisé affiche "05".</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits"> <source>24 hour clock (1-2 digits)</source> <target state="translated">Horloge de 24 heures (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits_description"> <source>The "H" custom format specifier represents the hour as a number from 0 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted without a leading zero. If the "H" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "H" représente l'heure sous la forme d'un nombre compris entre 0 et 23. En d'autres termes, l'heure est représentée par une horloge de 24 heures de base zéro, qui compte les heures entières depuis minuit. Une heure à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "H" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits"> <source>24 hour clock (2 digits)</source> <target state="translated">Horloge de 24 heures (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits_description"> <source>The "HH" custom format specifier (plus any number of additional "H" specifiers) represents the hour as a number from 00 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "HH" (plus n'importe quel nombre de spécificateurs "H" supplémentaires) représente les heures sous la forme d'un nombre compris entre 00 et 23. En d'autres termes, les heures sont représentées par une horloge de 24 heures de base zéro, qui compte les heures écoulées depuis minuit. Une heure à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="and_update_call_sites_directly"> <source>and update call sites directly</source> <target state="new">and update call sites directly</target> <note /> </trans-unit> <trans-unit id="code"> <source>code</source> <target state="translated">code</target> <note /> </trans-unit> <trans-unit id="date_separator"> <source>date separator</source> <target state="translated">séparateur de date</target> <note /> </trans-unit> <trans-unit id="date_separator_description"> <source>The "/" custom format specifier represents the date separator, which is used to differentiate years, months, and days. The appropriate localized date separator is retrieved from the DateTimeFormatInfo.DateSeparator property of the current or specified culture. Note: To change the date separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string mm'/'dd'/'yyyy produces a result string in which "/" is always used as the date separator. To change the date separator for all dates for a culture, either change the value of the DateTimeFormatInfo.DateSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its DateSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the "/" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "/" représente le séparateur de date, qui est utilisé pour différencier les années, les mois et les jours. Le séparateur de date localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.DateSeparator de la culture actuelle ou spécifiée. Remarque : Pour changer le séparateur de date d'une chaîne de date et d'heure particulière, spécifiez le caractère de séparation dans un délimiteur de chaîne littérale. Par exemple, la chaîne de format personnalisée mm'/'dd'/'yyyy produit une chaîne de résultat dans laquelle "/" est toujours utilisé en tant que séparateur de date. Pour changer le séparateur de date de toutes les dates d'une culture, changez la valeur de la propriété DateTimeFormatInfo.DateSeparator de la culture actuelle, ou instanciez un objet DateTimeFormatInfo, affectez le caractère à sa propriété DateSeparator, puis appelez une surcharge de la méthode de format qui inclut un paramètre IFormatProvider. Si le spécificateur de format "/" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits"> <source>day of the month (1-2 digits)</source> <target state="translated">jour du mois (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits_description"> <source>The "d" custom format specifier represents the day of the month as a number from 1 through 31. A single-digit day is formatted without a leading zero. If the "d" format specifier is used without other custom format specifiers, it's interpreted as the "d" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "d" représente le jour du mois sous la forme d'un nombre compris entre 1 et 31. Un jour à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "d" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "d".</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits"> <source>day of the month (2 digits)</source> <target state="translated">jour du mois (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits_description"> <source>The "dd" custom format string represents the day of the month as a number from 01 through 31. A single-digit day is formatted with a leading zero.</source> <target state="translated">La chaîne de format personnalisée "dd" représente le jour du mois sous la forme d'un nombre compris entre 01 et 31. Un jour à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated"> <source>day of the week (abbreviated)</source> <target state="translated">jour de la semaine (abrégé)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated_description"> <source>The "ddd" custom format specifier represents the abbreviated name of the day of the week. The localized abbreviated name of the day of the week is retrieved from the DateTimeFormatInfo.AbbreviatedDayNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "ddd" représente le nom abrégé du jour de la semaine. Le nom abrégé localisé du jour de la semaine est récupéré à partir de la propriété DateTimeFormatInfo.AbbreviatedDayNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full"> <source>day of the week (full)</source> <target state="translated">jour de la semaine (complet)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full_description"> <source>The "dddd" custom format specifier (plus any number of additional "d" specifiers) represents the full name of the day of the week. The localized name of the day of the week is retrieved from the DateTimeFormatInfo.DayNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "dddd" (plus n'importe quel nombre de spécificateurs "d" supplémentaires) représente le nom complet du jour de la semaine. Le nom localisé du jour de la semaine est récupéré à partir de la propriété DateTimeFormatInfo.DayNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="discard"> <source>discard</source> <target state="translated">discard</target> <note /> </trans-unit> <trans-unit id="from_metadata"> <source>from metadata</source> <target state="translated">à partir des métadonnées</target> <note /> </trans-unit> <trans-unit id="full_long_date_time"> <source>full long date/time</source> <target state="translated">date longue/heure longue (complet)</target> <note /> </trans-unit> <trans-unit id="full_long_date_time_description"> <source>The "F" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.FullDateTimePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy HH:mm:ss".</source> <target state="translated">Le spécificateur de format standard "F" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.FullDateTimePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "dddd, dd MMMM yyyy HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="full_short_date_time"> <source>full short date/time</source> <target state="translated">date longue/heure courte (complet)</target> <note /> </trans-unit> <trans-unit id="full_short_date_time_description"> <source>The Full Date Short Time ("f") Format Specifier The "f" standard format specifier represents a combination of the long date ("D") and short time ("t") patterns, separated by a space.</source> <target state="translated">Spécificateur de format complet de date longue et d'heure courte ("f") Le spécificateur de format standard "f" représente une combinaison des modèles de date longue ("D") et d'heure courte ("t"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="general_long_date_time"> <source>general long date/time</source> <target state="translated">date courte/heure longue (général)</target> <note /> </trans-unit> <trans-unit id="general_long_date_time_description"> <source>The "G" standard format specifier represents a combination of the short date ("d") and long time ("T") patterns, separated by a space.</source> <target state="translated">Le spécificateur de format standard "G" représente une combinaison des modèles de date courte ("d") et d'heure longue ("T"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="general_short_date_time"> <source>general short date/time</source> <target state="translated">date courte/heure courte (général)</target> <note /> </trans-unit> <trans-unit id="general_short_date_time_description"> <source>The "g" standard format specifier represents a combination of the short date ("d") and short time ("t") patterns, separated by a space.</source> <target state="translated">Le spécificateur de format standard "g" représente une combinaison des modèles de date courte ("d") et d'heure courte ("t"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="generic_overload"> <source>generic overload</source> <target state="translated">surcharge générique</target> <note /> </trans-unit> <trans-unit id="generic_overloads"> <source>generic overloads</source> <target state="translated">surcharges génériques</target> <note /> </trans-unit> <trans-unit id="in_0_1_2"> <source>in {0} ({1} - {2})</source> <target state="translated">dans {0} ({1} - {2})</target> <note /> </trans-unit> <trans-unit id="in_Source_attribute"> <source>in Source (attribute)</source> <target state="translated">dans la source (attribut)</target> <note /> </trans-unit> <trans-unit id="into_extracted_method_to_invoke_at_call_sites"> <source>into extracted method to invoke at call sites</source> <target state="new">into extracted method to invoke at call sites</target> <note /> </trans-unit> <trans-unit id="into_new_overload"> <source>into new overload</source> <target state="new">into new overload</target> <note /> </trans-unit> <trans-unit id="long_date"> <source>long date</source> <target state="translated">date longue</target> <note /> </trans-unit> <trans-unit id="long_date_description"> <source>The "D" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.LongDatePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy".</source> <target state="translated">Le spécificateur de format standard "D" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.LongDatePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "dddd, dd MMMM yyyy".</target> <note /> </trans-unit> <trans-unit id="long_time"> <source>long time</source> <target state="translated">heure longue</target> <note /> </trans-unit> <trans-unit id="long_time_description"> <source>The "T" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.LongTimePattern property. For example, the custom format string for the invariant culture is "HH:mm:ss".</source> <target state="translated">Le spécificateur de format standard "T" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.LongTimePattern d'une culture spécifique. Par exemple, la chaîne de format personnalisée pour la culture invariante est "HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="member_kind_and_name"> <source>{0} '{1}'</source> <target state="translated">{0} '{1}'</target> <note>e.g. "method 'M'"</note> </trans-unit> <trans-unit id="minute_1_2_digits"> <source>minute (1-2 digits)</source> <target state="translated">minute (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="minute_1_2_digits_description"> <source>The "m" custom format specifier represents the minute as a number from 0 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted without a leading zero. If the "m" format specifier is used without other custom format specifiers, it's interpreted as the "m" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "m" représente les minutes sous la forme d'un nombre compris entre 0 et 59. Le résultat correspond aux minutes entières qui se sont écoulées depuis la dernière heure. Une minute à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "m" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "m".</target> <note /> </trans-unit> <trans-unit id="minute_2_digits"> <source>minute (2 digits)</source> <target state="translated">minute (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="minute_2_digits_description"> <source>The "mm" custom format specifier (plus any number of additional "m" specifiers) represents the minute as a number from 00 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "mm" (plus n'importe quel nombre de spécificateurs "m" supplémentaires) représente les minutes sous la forme d'un nombre compris entre 00 et 59. Une minute à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits"> <source>month (1-2 digits)</source> <target state="translated">mois (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits_description"> <source>The "M" custom format specifier represents the month as a number from 1 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted without a leading zero. If the "M" format specifier is used without other custom format specifiers, it's interpreted as the "M" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "M" représente le mois sous la forme d'un nombre compris entre 1 et 12 (ou entre 1 et 13 pour les calendriers de 13 mois). Un mois à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "M" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "M".</target> <note /> </trans-unit> <trans-unit id="month_2_digits"> <source>month (2 digits)</source> <target state="translated">mois (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="month_2_digits_description"> <source>The "MM" custom format specifier represents the month as a number from 01 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "MM" représente le mois sous la forme d'un nombre compris entre 01 et 12 (ou entre 01 et 13 pour les calendriers de 13 mois). Un mois à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="month_abbreviated"> <source>month (abbreviated)</source> <target state="translated">mois (abrégé)</target> <note /> </trans-unit> <trans-unit id="month_abbreviated_description"> <source>The "MMM" custom format specifier represents the abbreviated name of the month. The localized abbreviated name of the month is retrieved from the DateTimeFormatInfo.AbbreviatedMonthNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "MMM" représente le nom abrégé du mois. Le nom abrégé localisé du mois est récupéré à partir de la propriété DateTimeFormatInfo.AbbreviatedMonthNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="month_day"> <source>month day</source> <target state="translated">jour du mois</target> <note /> </trans-unit> <trans-unit id="month_day_description"> <source>The "M" or "m" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.MonthDayPattern property. For example, the custom format string for the invariant culture is "MMMM dd".</source> <target state="translated">Le spécificateur de format standard "M" ou "m" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.MonthDayPattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "MMMM dd".</target> <note /> </trans-unit> <trans-unit id="month_full"> <source>month (full)</source> <target state="translated">mois (complet)</target> <note /> </trans-unit> <trans-unit id="month_full_description"> <source>The "MMMM" custom format specifier represents the full name of the month. The localized name of the month is retrieved from the DateTimeFormatInfo.MonthNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "MMMM" représente le nom complet du mois. Le nom localisé du mois est récupéré à partir de la propriété DateTimeFormatInfo.MonthNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="overload"> <source>overload</source> <target state="translated">surcharge</target> <note /> </trans-unit> <trans-unit id="overloads_"> <source>overloads</source> <target state="translated">surcharges</target> <note /> </trans-unit> <trans-unit id="_0_Keyword"> <source>{0} Keyword</source> <target state="translated">Mot clé {0}</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_and_use_property"> <source>Encapsulate field: '{0}' (and use property)</source> <target state="translated">Encapsuler le champ : '{0}' (et utiliser la propriété)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_but_still_use_field"> <source>Encapsulate field: '{0}' (but still use field)</source> <target state="translated">Encapsuler le champ : '{0}' (mais utiliser toujours le champ)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_and_use_property"> <source>Encapsulate fields (and use property)</source> <target state="translated">Encapsuler les champs (et utiliser la propriété)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_but_still_use_field"> <source>Encapsulate fields (but still use field)</source> <target state="translated">Encapsuler les champs (mais utiliser toujours le champ)</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_selection_is_not_inside_a_class_interface_struct"> <source>Could not extract interface: The selection is not inside a class/interface/struct.</source> <target state="translated">Impossible d'extraire l'interface : la sélection n'est pas comprise dans une classe, une interface ou un struct.</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_type_does_not_contain_any_member_that_can_be_extracted_to_an_interface"> <source>Could not extract interface: The type does not contain any member that can be extracted to an interface.</source> <target state="translated">Impossible d'extraire l'interface : le type ne contient aucun élément pouvant être extrait vers une interface.</target> <note /> </trans-unit> <trans-unit id="can_t_not_construct_final_tree"> <source>can't not construct final tree</source> <target state="translated">Impossible de construire l'arborescence finale</target> <note /> </trans-unit> <trans-unit id="Parameters_type_or_return_type_cannot_be_an_anonymous_type_colon_bracket_0_bracket"> <source>Parameters' type or return type cannot be an anonymous type : [{0}]</source> <target state="translated">Le type de paramètre ou le type de retour ne peut pas être un type anonyme : [{0}]</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_no_active_statement"> <source>The selection contains no active statement.</source> <target state="translated">La sélection ne contient aucune instruction active.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_an_error_or_unknown_type"> <source>The selection contains an error or unknown type.</source> <target state="translated">La sélection contient une erreur ou un type inconnu.</target> <note /> </trans-unit> <trans-unit id="Type_parameter_0_is_hidden_by_another_type_parameter_1"> <source>Type parameter '{0}' is hidden by another type parameter '{1}'.</source> <target state="translated">Le paramètre de type '{0}' est masqué par un autre paramètre de type '{1}'.</target> <note /> </trans-unit> <trans-unit id="The_address_of_a_variable_is_used_inside_the_selected_code"> <source>The address of a variable is used inside the selected code.</source> <target state="translated">L'adresse d'une variable est utilisée dans le code sélectionné.</target> <note /> </trans-unit> <trans-unit id="Assigning_to_readonly_fields_must_be_done_in_a_constructor_colon_bracket_0_bracket"> <source>Assigning to readonly fields must be done in a constructor : [{0}].</source> <target state="translated">L'assignation à des champs en lecture seule doit se faire dans un constructeur : [{0}].</target> <note /> </trans-unit> <trans-unit id="generated_code_is_overlapping_with_hidden_portion_of_the_code"> <source>generated code is overlapping with hidden portion of the code</source> <target state="translated">Le code généré chevauche une partie cachée du code</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameters_to_0"> <source>Add optional parameters to '{0}'</source> <target state="translated">Ajouter des paramètres optionnels à '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_parameters_to_0"> <source>Add parameters to '{0}'</source> <target state="translated">Ajouter des paramètres à '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_delegating_constructor_0_1"> <source>Generate delegating constructor '{0}({1})'</source> <target state="translated">Générer le constructeur de délégation '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_0_1"> <source>Generate constructor '{0}({1})'</source> <target state="translated">Générer le constructeur '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_field_assigning_constructor_0_1"> <source>Generate field assigning constructor '{0}({1})'</source> <target state="translated">Générer un constructeur d'assignation de champ '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_and_GetHashCode"> <source>Generate Equals and GetHashCode</source> <target state="translated">Générer Equals et GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_object"> <source>Generate Equals(object)</source> <target state="translated">Générer Equals(object)</target> <note /> </trans-unit> <trans-unit id="Generate_GetHashCode"> <source>Generate GetHashCode()</source> <target state="translated">Générer GetHashCode()</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0"> <source>Generate constructor in '{0}'</source> <target state="translated">Générer un constructeur dans '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_all"> <source>Generate all</source> <target state="translated">Générer tout</target> <note /> </trans-unit> <trans-unit id="Generate_enum_member_1_0"> <source>Generate enum member '{1}.{0}'</source> <target state="translated">Générer le membre enum '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_constant_1_0"> <source>Generate constant '{1}.{0}'</source> <target state="translated">Générer la constante '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_property_1_0"> <source>Generate read-only property '{1}.{0}'</source> <target state="translated">Générer la propriété en lecture seule '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_property_1_0"> <source>Generate property '{1}.{0}'</source> <target state="translated">Générer la propriété '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_field_1_0"> <source>Generate read-only field '{1}.{0}'</source> <target state="translated">Générer le champ en lecture seule '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_field_1_0"> <source>Generate field '{1}.{0}'</source> <target state="translated">Générer le champ '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_local_0"> <source>Generate local '{0}'</source> <target state="translated">Générer le '{0}' local</target> <note /> </trans-unit> <trans-unit id="Generate_0_1_in_new_file"> <source>Generate {0} '{1}' in new file</source> <target state="translated">Générer {0} '{1}' dans un nouveau fichier</target> <note /> </trans-unit> <trans-unit id="Generate_nested_0_1"> <source>Generate nested {0} '{1}'</source> <target state="translated">Générer un {0} '{1}' imbriqué</target> <note /> </trans-unit> <trans-unit id="Global_Namespace"> <source>Global Namespace</source> <target state="translated">Espace de noms global</target> <note /> </trans-unit> <trans-unit id="Implement_interface_abstractly"> <source>Implement interface abstractly</source> <target state="translated">Implémenter l'interface abstraitement</target> <note /> </trans-unit> <trans-unit id="Implement_interface_through_0"> <source>Implement interface through '{0}'</source> <target state="translated">Implémenter l'interface via '{0}'</target> <note /> </trans-unit> <trans-unit id="Implement_interface"> <source>Implement interface</source> <target state="translated">Implémenter l'interface</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_0"> <source>Introduce field for '{0}'</source> <target state="translated">Introduire un champ pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_0"> <source>Introduce local for '{0}'</source> <target state="translated">Introduire un élément local pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_0"> <source>Introduce constant for '{0}'</source> <target state="translated">Introduire une constante pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_0"> <source>Introduce local constant for '{0}'</source> <target state="translated">Introduire une constante locale pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_all_occurrences_of_0"> <source>Introduce field for all occurrences of '{0}'</source> <target state="translated">Introduire un champ pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_all_occurrences_of_0"> <source>Introduce local for all occurrences of '{0}'</source> <target state="translated">Introduire un élément local pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_all_occurrences_of_0"> <source>Introduce constant for all occurrences of '{0}'</source> <target state="translated">Introduire une constante pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_all_occurrences_of_0"> <source>Introduce local constant for all occurrences of '{0}'</source> <target state="translated">Introduire une constante locale pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_all_occurrences_of_0"> <source>Introduce query variable for all occurrences of '{0}'</source> <target state="translated">Introduire une variable de requête pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_0"> <source>Introduce query variable for '{0}'</source> <target state="translated">Introduire une variable de requête pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Anonymous_Types_colon"> <source>Anonymous Types:</source> <target state="translated">Types anonymes :</target> <note /> </trans-unit> <trans-unit id="is_"> <source>is</source> <target state="translated">est</target> <note /> </trans-unit> <trans-unit id="Represents_an_object_whose_operations_will_be_resolved_at_runtime"> <source>Represents an object whose operations will be resolved at runtime.</source> <target state="translated">Représente un objet dont les opérations seront résolues au moment de l'exécution.</target> <note /> </trans-unit> <trans-unit id="constant"> <source>constant</source> <target state="translated">constante</target> <note /> </trans-unit> <trans-unit id="field"> <source>field</source> <target state="translated">Champ</target> <note /> </trans-unit> <trans-unit id="local_constant"> <source>local constant</source> <target state="translated">constante locale</target> <note /> </trans-unit> <trans-unit id="local_variable"> <source>local variable</source> <target state="translated">variable locale</target> <note /> </trans-unit> <trans-unit id="label"> <source>label</source> <target state="translated">Étiquette</target> <note /> </trans-unit> <trans-unit id="period_era"> <source>period/era</source> <target state="translated">période/ère</target> <note /> </trans-unit> <trans-unit id="period_era_description"> <source>The "g" or "gg" custom format specifiers (plus any number of additional "g" specifiers) represents the period or era, such as A.D. The formatting operation ignores this specifier if the date to be formatted doesn't have an associated period or era string. If the "g" format specifier is used without other custom format specifiers, it's interpreted as the "g" standard date and time format specifier.</source> <target state="translated">Les spécificateurs de format personnalisés "g" ou "gg" (plus n'importe quel nombre de spécificateurs "g" supplémentaires) représentent la période ou l'ère, par exemple après J.-C. L'opération qui consiste à appliquer un format ignore ce spécificateur si la date visée n'a pas de chaîne de période ou d'ère associée. Si le spécificateur de format "g" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "g".</target> <note /> </trans-unit> <trans-unit id="property_accessor"> <source>property accessor</source> <target state="new">property accessor</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>range variable</source> <target state="translated">variable de plage</target> <note /> </trans-unit> <trans-unit id="parameter"> <source>parameter</source> <target state="translated">paramètre</target> <note /> </trans-unit> <trans-unit id="in_"> <source>in</source> <target state="translated">In</target> <note /> </trans-unit> <trans-unit id="Summary_colon"> <source>Summary:</source> <target state="translated">Résumé :</target> <note /> </trans-unit> <trans-unit id="Locals_and_parameters"> <source>Locals and parameters</source> <target state="translated">Variables locales et paramètres</target> <note /> </trans-unit> <trans-unit id="Type_parameters_colon"> <source>Type parameters:</source> <target state="translated">Paramètres de type :</target> <note /> </trans-unit> <trans-unit id="Returns_colon"> <source>Returns:</source> <target state="translated">Retourne :</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Exceptions :</target> <note /> </trans-unit> <trans-unit id="Remarks_colon"> <source>Remarks:</source> <target state="translated">Remarques :</target> <note /> </trans-unit> <trans-unit id="generating_source_for_symbols_of_this_type_is_not_supported"> <source>generating source for symbols of this type is not supported</source> <target state="translated">La génération de code source pour les symboles de ce type n'est pas prise en charge</target> <note /> </trans-unit> <trans-unit id="Assembly"> <source>Assembly</source> <target state="translated">assembly</target> <note /> </trans-unit> <trans-unit id="location_unknown"> <source>location unknown</source> <target state="translated">emplacement inconnu</target> <note /> </trans-unit> <trans-unit id="Unexpected_interface_member_kind_colon_0"> <source>Unexpected interface member kind: {0}</source> <target state="translated">Genre de membre d'interface inattendu : {0}</target> <note /> </trans-unit> <trans-unit id="Unknown_symbol_kind"> <source>Unknown symbol kind</source> <target state="translated">Genre de symbole inconnu</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_property_1_0"> <source>Generate abstract property '{1}.{0}'</source> <target state="translated">Générer la propriété abstraite '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_method_1_0"> <source>Generate abstract method '{1}.{0}'</source> <target state="translated">Générer la méthode abstraite '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_method_1_0"> <source>Generate method '{1}.{0}'</source> <target state="translated">Générer la méthode '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Requested_assembly_already_loaded_from_0"> <source>Requested assembly already loaded from '{0}'.</source> <target state="translated">L'assembly demandé est déjà chargé à partir de '{0}'.</target> <note /> </trans-unit> <trans-unit id="The_symbol_does_not_have_an_icon"> <source>The symbol does not have an icon.</source> <target state="translated">Le symbole ne possède pas d'icône.</target> <note /> </trans-unit> <trans-unit id="Asynchronous_method_cannot_have_ref_out_parameters_colon_bracket_0_bracket"> <source>Asynchronous method cannot have ref/out parameters : [{0}]</source> <target state="translated">Une méthode asynchrone ne peut pas contenir des paramètres ref/out : [{0}]</target> <note /> </trans-unit> <trans-unit id="The_member_is_defined_in_metadata"> <source>The member is defined in metadata.</source> <target state="translated">Le membre est défini dans des métadonnées.</target> <note /> </trans-unit> <trans-unit id="You_can_only_change_the_signature_of_a_constructor_indexer_method_or_delegate"> <source>You can only change the signature of a constructor, indexer, method or delegate.</source> <target state="translated">Vous pouvez seulement modifier la signature d'un constructeur, d'un indexeur, d'une méthode ou d'un délégué.</target> <note /> </trans-unit> <trans-unit id="This_symbol_has_related_definitions_or_references_in_metadata_Changing_its_signature_may_result_in_build_errors_Do_you_want_to_continue"> <source>This symbol has related definitions or references in metadata. Changing its signature may result in build errors. Do you want to continue?</source> <target state="translated">Ce symbole possède des définitions ou des références associées dans les métadonnées. La modification de sa signature peut entraîner des erreurs de build. Voulez-vous continuer ?</target> <note /> </trans-unit> <trans-unit id="Change_signature"> <source>Change signature...</source> <target state="translated">Modifier la signature...</target> <note /> </trans-unit> <trans-unit id="Generate_new_type"> <source>Generate new type...</source> <target state="translated">Générer un nouveau type...</target> <note /> </trans-unit> <trans-unit id="User_Diagnostic_Analyzer_Failure"> <source>User Diagnostic Analyzer Failure.</source> <target state="translated">Échec de l'analyseur de diagnostic utilisateur.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_an_exception_of_type_1_with_message_2"> <source>Analyzer '{0}' threw an exception of type '{1}' with message '{2}'.</source> <target state="translated">L'analyseur '{0}' a levé une exception de type {1} avec le message '{2}'.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_the_following_exception_colon_1"> <source>Analyzer '{0}' threw the following exception: '{1}'.</source> <target state="translated">L'analyseur '{0}' a levé l'exception suivante : '{1}'.</target> <note /> </trans-unit> <trans-unit id="Simplify_Names"> <source>Simplify Names</source> <target state="translated">Simplifier les noms</target> <note /> </trans-unit> <trans-unit id="Simplify_Member_Access"> <source>Simplify Member Access</source> <target state="translated">Simplifier l'accès au membre</target> <note /> </trans-unit> <trans-unit id="Remove_qualification"> <source>Remove qualification</source> <target state="translated">Supprimer une qualification</target> <note /> </trans-unit> <trans-unit id="Unknown_error_occurred"> <source>Unknown error occurred</source> <target state="translated">Une erreur inconnue s'est produite</target> <note /> </trans-unit> <trans-unit id="Available"> <source>Available</source> <target state="translated">Disponibilité</target> <note /> </trans-unit> <trans-unit id="Not_Available"> <source>Not Available ⚠</source> <target state="translated">Non disponible ⚠</target> <note /> </trans-unit> <trans-unit id="_0_1"> <source> {0} - {1}</source> <target state="translated"> {0} - {1}</target> <note /> </trans-unit> <trans-unit id="in_Source"> <source>in Source</source> <target state="translated">dans la source</target> <note /> </trans-unit> <trans-unit id="in_Suppression_File"> <source>in Suppression File</source> <target state="translated">dans le fichier de suppression</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression_0"> <source>Remove Suppression {0}</source> <target state="translated">Retirer la suppression {0}</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression"> <source>Remove Suppression</source> <target state="translated">Retirer la suppression</target> <note /> </trans-unit> <trans-unit id="Pending"> <source>&lt;Pending&gt;</source> <target state="translated">&lt;En attente&gt;</target> <note /> </trans-unit> <trans-unit id="Note_colon_Tab_twice_to_insert_the_0_snippet"> <source>Note: Tab twice to insert the '{0}' snippet.</source> <target state="translated">Remarque : appuyez deux fois sur la touche Tab pour insérer l'extrait de code '{0}'.</target> <note /> </trans-unit> <trans-unit id="Implement_interface_explicitly_with_Dispose_pattern"> <source>Implement interface explicitly with Dispose pattern</source> <target state="translated">Implémenter l'interface explicitement avec le modèle Dispose</target> <note /> </trans-unit> <trans-unit id="Implement_interface_with_Dispose_pattern"> <source>Implement interface with Dispose pattern</source> <target state="translated">Implémenter l'interface avec le modèle Dispose</target> <note /> </trans-unit> <trans-unit id="Re_triage_0_currently_1"> <source>Re-triage {0}(currently '{1}')</source> <target state="translated">Répétition du triage {0}(actuellement '{1}')</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_have_a_null_element"> <source>Argument cannot have a null element.</source> <target state="translated">L'argument ne peut pas avoir un élément null.</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_be_empty"> <source>Argument cannot be empty.</source> <target state="translated">L'argument ne peut pas être vide.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_with_ID_0_is_not_supported_by_the_analyzer"> <source>Reported diagnostic with ID '{0}' is not supported by the analyzer.</source> <target state="translated">Le diagnostic signalé avec l'ID '{0}' n'est pas pris en charge par l'analyseur.</target> <note /> </trans-unit> <trans-unit id="Computing_fix_all_occurrences_code_fix"> <source>Computing fix all occurrences code fix...</source> <target state="translated">Calcul de la correction de toutes les occurrences (correction du code)...</target> <note /> </trans-unit> <trans-unit id="Fix_all_occurrences"> <source>Fix all occurrences</source> <target state="translated">Corriger toutes les occurrences</target> <note /> </trans-unit> <trans-unit id="Document"> <source>Document</source> <target state="translated">Document</target> <note /> </trans-unit> <trans-unit id="Project"> <source>Project</source> <target state="translated">Projet</target> <note /> </trans-unit> <trans-unit id="Solution"> <source>Solution</source> <target state="translated">Solution</target> <note /> </trans-unit> <trans-unit id="TODO_colon_dispose_managed_state_managed_objects"> <source>TODO: dispose managed state (managed objects)</source> <target state="translated">TODO: supprimer l'état managé (objets managés)</target> <note /> </trans-unit> <trans-unit id="TODO_colon_set_large_fields_to_null"> <source>TODO: set large fields to null</source> <target state="translated">TODO: affecter aux grands champs une valeur null</target> <note /> </trans-unit> <trans-unit id="Compiler2"> <source>Compiler</source> <target state="translated">Compilateur</target> <note /> </trans-unit> <trans-unit id="Live"> <source>Live</source> <target state="translated">En direct</target> <note /> </trans-unit> <trans-unit id="enum_value"> <source>enum value</source> <target state="translated">valeur enum</target> <note>{Locked="enum"} "enum" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="const_field"> <source>const field</source> <target state="translated">Champ const</target> <note>{Locked="const"} "const" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="method"> <source>method</source> <target state="translated">méthode</target> <note /> </trans-unit> <trans-unit id="operator_"> <source>operator</source> <target state="translated">Opérateur</target> <note /> </trans-unit> <trans-unit id="constructor"> <source>constructor</source> <target state="translated">constructeur</target> <note /> </trans-unit> <trans-unit id="auto_property"> <source>auto-property</source> <target state="translated">auto-propriété</target> <note /> </trans-unit> <trans-unit id="property_"> <source>property</source> <target state="translated">propriété</target> <note /> </trans-unit> <trans-unit id="event_accessor"> <source>event accessor</source> <target state="translated">accesseur d'événement</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time"> <source>rfc1123 date/time</source> <target state="translated">date/heure (rfc1123)</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time_description"> <source>The "R" or "r" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.RFC1123Pattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">Le spécificateur de format standard "R" ou "r" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.RFC1123Pattern. Le modèle reflète une norme définie, et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante.</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time"> <source>round-trip date/time</source> <target state="translated">date/heure (aller-retour)</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time_description"> <source>The "O" or "o" standard format specifier represents a custom date and time format string using a pattern that preserves time zone information and emits a result string that complies with ISO 8601. For DateTime values, this format specifier is designed to preserve date and time values along with the DateTime.Kind property in text. The formatted string can be parsed back by using the DateTime.Parse(String, IFormatProvider, DateTimeStyles) or DateTime.ParseExact method if the styles parameter is set to DateTimeStyles.RoundtripKind. The "O" or "o" standard format specifier corresponds to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string for DateTime values and to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" custom format string for DateTimeOffset values. In this string, the pairs of single quotation marks that delimit individual characters, such as the hyphens, the colons, and the letter "T", indicate that the individual character is a literal that cannot be changed. The apostrophes do not appear in the output string. The "O" or "o" standard format specifier (and the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string) takes advantage of the three ways that ISO 8601 represents time zone information to preserve the Kind property of DateTime values: The time zone component of DateTimeKind.Local date and time values is an offset from UTC (for example, +01:00, -07:00). All DateTimeOffset values are also represented in this format. The time zone component of DateTimeKind.Utc date and time values uses "Z" (which stands for zero offset) to represent UTC. DateTimeKind.Unspecified date and time values have no time zone information. Because the "O" or "o" standard format specifier conforms to an international standard, the formatting or parsing operation that uses the specifier always uses the invariant culture and the Gregorian calendar. Strings that are passed to the Parse, TryParse, ParseExact, and TryParseExact methods of DateTime and DateTimeOffset can be parsed by using the "O" or "o" format specifier if they are in one of these formats. In the case of DateTime objects, the parsing overload that you call should also include a styles parameter with a value of DateTimeStyles.RoundtripKind. Note that if you call a parsing method with the custom format string that corresponds to the "O" or "o" format specifier, you won't get the same results as "O" or "o". This is because parsing methods that use a custom format string can't parse the string representation of date and time values that lack a time zone component or use "Z" to indicate UTC.</source> <target state="translated">Le spécificateur de format standard "O" ou "o" représente une chaîne de format de date et d'heure personnalisée à l'aide d'un modèle qui conserve les informations de fuseau horaire et émet une chaîne de résultat conforme à la norme ISO 8601. Pour les valeurs DateTime, ce spécificateur de format permet de conserver les valeurs de date et d'heure ainsi que la propriété DateTime.Kind au format texte. La chaîne à laquelle le format a été appliqué peut être réanalysée à l'aide de la méthode DateTime.Parse(String, IFormatProvider, DateTimeStyles) ou DateTime.ParseExact si le paramètre styles a la valeur DateTimeStyles.RoundtripKind. Le spécificateur de format standard "O" ou "o" correspond à la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" pour les valeurs DateTime, et à la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" pour les valeurs DateTimeOffset. Dans cette chaîne, les paires de guillemets simples qui délimitent les caractères individuels, par exemple les tirets, les deux-points et la lettre "T", indiquent que le caractère individuel est un littéral qui ne peut pas être changé. Les apostrophes n'apparaissent pas dans la chaîne de sortie. Le spécificateur de format standard "O" ou "o" (avec la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK") tire parti des trois façons dont la norme ISO 8601 représente les informations de fuseau horaire pour conserver la propriété Kind des valeurs DateTime : Le composant de fuseau horaire des valeurs de date et d'heure de DateTimeKind.Local représente un décalage par rapport à l'heure UTC (par exemple +01:00, -07:00). Toutes les valeurs de DateTimeOffset sont également représentées dans ce format. Le composant de fuseau horaire des valeurs de date et d'heure de DateTimeKind.Utc utilise "Z" (qui signifie décalage de zéro) pour représenter l'heure UTC. Les valeurs de date et d'heure de DateTimeKind.Unspecified n'ont aucune information de fuseau horaire. Dans la mesure où le spécificateur de format standard "O" ou "o" est conforme à une norme internationale, l'opération qui consiste à appliquer un format ou à exécuter une analyse en fonction du spécificateur utilise toujours la culture invariante et le calendrier grégorien. Les chaînes passées aux méthodes Parse, TryParse, ParseExact et TryParseExact de DateTime et DateTimeOffset peuvent être analysées à l'aide du spécificateur de format "O" ou "o", si elles sont dans l'un de ces formats. Dans le cas des objets DateTime, la surcharge d'analyse que vous appelez doit également inclure un paramètre styles ayant la valeur DateTimeStyles.RoundtripKind. Notez que si vous appelez une méthode d'analyse avec la chaîne de format personnalisée qui correspond au spécificateur de format "O" ou "o", vous n'obtenez pas les mêmes résultats que "O" ou "o". Cela est dû au fait que les méthodes d'analyse qui s'appuient sur une chaîne de format personnalisée ne peuvent pas analyser la représentation sous forme de chaîne des valeurs de date et d'heure qui n'ont pas de composant de fuseau horaire ou qui utilisent "Z" pour indiquer l'heure UTC.</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits"> <source>second (1-2 digits)</source> <target state="translated">seconde (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits_description"> <source>The "s" custom format specifier represents the seconds as a number from 0 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted without a leading zero. If the "s" format specifier is used without other custom format specifiers, it's interpreted as the "s" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "s" représente les secondes sous la forme d'un nombre compris entre 0 et 59. Le résultat correspond aux secondes entières qui se sont écoulées depuis la dernière minute. Une seconde à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "s" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "s".</target> <note /> </trans-unit> <trans-unit id="second_2_digits"> <source>second (2 digits)</source> <target state="translated">seconde (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="second_2_digits_description"> <source>The "ss" custom format specifier (plus any number of additional "s" specifiers) represents the seconds as a number from 00 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "ss" (plus n'importe quel nombre de spécificateurs "s" supplémentaires) représente les secondes sous la forme d'un nombre compris entre 00 et 59. Le résultat correspond aux secondes entières qui se sont écoulées depuis la dernière minute. Une seconde à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="short_date"> <source>short date</source> <target state="translated">date courte</target> <note /> </trans-unit> <trans-unit id="short_date_description"> <source>The "d" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.ShortDatePattern property. For example, the custom format string that is returned by the ShortDatePattern property of the invariant culture is "MM/dd/yyyy".</source> <target state="translated">Le spécificateur de format standard "d" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.ShortDatePattern d'une culture spécifique. Par exemple, la chaîne de format personnalisée retournée par la propriété ShortDatePattern de la culture invariante est "MM/dd/yyyy".</target> <note /> </trans-unit> <trans-unit id="short_time"> <source>short time</source> <target state="translated">heure courte</target> <note /> </trans-unit> <trans-unit id="short_time_description"> <source>The "t" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.ShortTimePattern property. For example, the custom format string for the invariant culture is "HH:mm".</source> <target state="translated">Le spécificateur de format standard "t" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.ShortTimePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "HH:mm".</target> <note /> </trans-unit> <trans-unit id="sortable_date_time"> <source>sortable date/time</source> <target state="translated">date/heure pouvant être triée</target> <note /> </trans-unit> <trans-unit id="sortable_date_time_description"> <source>The "s" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.SortableDateTimePattern property. The pattern reflects a defined standard (ISO 8601), and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd'T'HH':'mm':'ss". The purpose of the "s" format specifier is to produce result strings that sort consistently in ascending or descending order based on date and time values. As a result, although the "s" standard format specifier represents a date and time value in a consistent format, the formatting operation does not modify the value of the date and time object that is being formatted to reflect its DateTime.Kind property or its DateTimeOffset.Offset value. For example, the result strings produced by formatting the date and time values 2014-11-15T18:32:17+00:00 and 2014-11-15T18:32:17+08:00 are identical. When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">Le spécificateur de format standard "s" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.SortableDateTimePattern. Le modèle reflète une norme définie (ISO 8601), et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "yyyy'-'MM'-'dd'T'HH':'mm':'ss". Le spécificateur de format "s" a pour but de produire des chaînes triées de manière cohérente dans l'ordre croissant ou décroissant en fonction des valeurs de date et d'heure. Ainsi, bien que le spécificateur de format standard "s" représente une valeur de date et d'heure dans un format cohérent, l'opération qui consiste à appliquer un format ne modifie pas la valeur de l'objet de date et d'heure visé pour refléter sa propriété DateTime.Kind ou sa valeur DateTimeOffset.Offset. Par exemple, les chaînes qui résultent de l'application du format souhaité aux valeurs de date et d'heure 2014-11-15T18:32:17+00:00 et 2014-11-15T18:32:17+08:00 sont identiques. Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante.</target> <note /> </trans-unit> <trans-unit id="static_constructor"> <source>static constructor</source> <target state="translated">constructeur statique</target> <note /> </trans-unit> <trans-unit id="symbol_cannot_be_a_namespace"> <source>'symbol' cannot be a namespace.</source> <target state="translated">'symbol' ne peut pas être un espace de noms.</target> <note /> </trans-unit> <trans-unit id="time_separator"> <source>time separator</source> <target state="translated">séparateur d'heure</target> <note /> </trans-unit> <trans-unit id="time_separator_description"> <source>The ":" custom format specifier represents the time separator, which is used to differentiate hours, minutes, and seconds. The appropriate localized time separator is retrieved from the DateTimeFormatInfo.TimeSeparator property of the current or specified culture. Note: To change the time separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string hh'_'dd'_'ss produces a result string in which "_" (an underscore) is always used as the time separator. To change the time separator for all dates for a culture, either change the value of the DateTimeFormatInfo.TimeSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its TimeSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the ":" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé ":" représente le séparateur d'heure, qui est utilisé pour différencier les heures, les minutes et les secondes. Le séparateur d'heure localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.TimeSeparator de la culture actuelle ou spécifiée. Remarque : Pour changer le séparateur d'heure d'une chaîne de date et d'heure particulière, spécifiez le caractère de séparation dans un délimiteur de chaîne littérale. Par exemple, la chaîne de format personnalisée hh'_'dd'_'ss produit une chaîne de résultat dans laquelle "_" (trait de soulignement) est toujours utilisé en tant que séparateur d'heure. Pour changer le séparateur d'heure de toutes les heures d'une culture, changez la valeur de la propriété DateTimeFormatInfo.TimeSeparator de la culture actuelle, ou instanciez un objet DateTimeFormatInfo, affectez le caractère à sa propriété TimeSeparator, puis appelez une surcharge de la méthode de format qui inclut un paramètre IFormatProvider. Si le spécificateur de format ":" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="time_zone"> <source>time zone</source> <target state="translated">fuseau horaire</target> <note /> </trans-unit> <trans-unit id="time_zone_description"> <source>The "K" custom format specifier represents the time zone information of a date and time value. When this format specifier is used with DateTime values, the result string is defined by the value of the DateTime.Kind property: For the local time zone (a DateTime.Kind property value of DateTimeKind.Local), this specifier is equivalent to the "zzz" specifier and produces a result string containing the local offset from Coordinated Universal Time (UTC); for example, "-07:00". For a UTC time (a DateTime.Kind property value of DateTimeKind.Utc), the result string includes a "Z" character to represent a UTC date. For a time from an unspecified time zone (a time whose DateTime.Kind property equals DateTimeKind.Unspecified), the result is equivalent to String.Empty. For DateTimeOffset values, the "K" format specifier is equivalent to the "zzz" format specifier, and produces a result string containing the DateTimeOffset value's offset from UTC. If the "K" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "K" représente les informations de fuseau horaire d'une valeur de date et d'heure. Quand ce spécificateur de format est utilisé avec des valeurs DateTime, la chaîne résultante est définie par la valeur de la propriété DateTime.Kind : Pour le fuseau horaire local (valeur de propriété DateTime.Kind de DateTimeKind.Local), ce spécificateur est équivalent au spécificateur "zzz". Il produit une chaîne contenant le décalage local par rapport à l'heure UTC, par exemple "-07:00". Pour une heure UTC (valeur de propriété DateTime.Kind de DateTimeKind.Utc), la chaîne résultante inclut un caractère "Z" qui représente une date UTC. Pour une heure provenant d'un fuseau horaire non spécifié (heure dont la propriété DateTime.Kind est égale à DateTimeKind.Unspecified), le résultat est équivalent à String.Empty. Pour les valeurs DateTimeOffset, le spécificateur de format "K" est équivalent au spécificateur de format "zzz". Il produit une chaîne qui contient le décalage de la valeur DateTimeOffset par rapport à l'heure UTC. Si le spécificateur de format "K" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="type"> <source>type</source> <target state="new">type</target> <note /> </trans-unit> <trans-unit id="type_constraint"> <source>type constraint</source> <target state="translated">contrainte de type</target> <note /> </trans-unit> <trans-unit id="type_parameter"> <source>type parameter</source> <target state="translated">paramètre de type</target> <note /> </trans-unit> <trans-unit id="attribute"> <source>attribute</source> <target state="translated">attribut</target> <note /> </trans-unit> <trans-unit id="Replace_0_and_1_with_property"> <source>Replace '{0}' and '{1}' with property</source> <target state="translated">Remplacer '{0}' et '{1}' par une propriété</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_property"> <source>Replace '{0}' with property</source> <target state="translated">Remplacer '{0}' par une propriété</target> <note /> </trans-unit> <trans-unit id="Method_referenced_implicitly"> <source>Method referenced implicitly</source> <target state="translated">Méthode référencée implicitement</target> <note /> </trans-unit> <trans-unit id="Generate_type_0"> <source>Generate type '{0}'</source> <target state="translated">Générer le type '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1"> <source>Generate {0} '{1}'</source> <target state="translated">Générer {0} '{1}'</target> <note /> </trans-unit> <trans-unit id="Change_0_to_1"> <source>Change '{0}' to '{1}'.</source> <target state="translated">Changer '{0}' en '{1}'.</target> <note /> </trans-unit> <trans-unit id="Non_invoked_method_cannot_be_replaced_with_property"> <source>Non-invoked method cannot be replaced with property.</source> <target state="translated">Une méthode non appelée ne peut pas être remplacée par une propriété.</target> <note /> </trans-unit> <trans-unit id="Only_methods_with_a_single_argument_which_is_not_an_out_variable_declaration_can_be_replaced_with_a_property"> <source>Only methods with a single argument, which is not an out variable declaration, can be replaced with a property.</source> <target state="translated">Seules les méthodes avec un seul argument, qui n'est pas une déclaration de variable de sortie, peuvent être remplacées par une propriété.</target> <note /> </trans-unit> <trans-unit id="Roslyn_HostError"> <source>Roslyn.HostError</source> <target state="translated">Roslyn.HostError</target> <note /> </trans-unit> <trans-unit id="An_instance_of_analyzer_0_cannot_be_created_from_1_colon_2"> <source>An instance of analyzer {0} cannot be created from {1}: {2}.</source> <target state="translated">Impossible de créer une instance de l'analyseur {0} à partir de {1} : {2}.</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_does_not_contain_any_analyzers"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">L'assembly {0} ne contient pas d'analyseurs.</target> <note /> </trans-unit> <trans-unit id="Unable_to_load_Analyzer_assembly_0_colon_1"> <source>Unable to load Analyzer assembly {0}: {1}</source> <target state="translated">Impossible de charger l'assembly Analyseur {0} : {1}</target> <note /> </trans-unit> <trans-unit id="Make_method_synchronous"> <source>Make method synchronous</source> <target state="translated">Rendre la méthode synchrone</target> <note /> </trans-unit> <trans-unit id="from_0"> <source>from {0}</source> <target state="translated">de {0}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version"> <source>Find and install latest version</source> <target state="translated">Rechercher et installer la dernière version</target> <note /> </trans-unit> <trans-unit id="Use_local_version_0"> <source>Use local version '{0}'</source> <target state="translated">Utiliser la version locale '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_locally_installed_0_version_1_This_version_used_in_colon_2"> <source>Use locally installed '{0}' version '{1}' This version used in: {2}</source> <target state="translated">Utiliser la version installée localement '{0}' '{1}' Version utilisée dans : {2}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version_of_0"> <source>Find and install latest version of '{0}'</source> <target state="translated">Rechercher et installer la dernière version de '{0}'</target> <note /> </trans-unit> <trans-unit id="Install_with_package_manager"> <source>Install with package manager...</source> <target state="translated">Installer avec le gestionnaire de package...</target> <note /> </trans-unit> <trans-unit id="Install_0_1"> <source>Install '{0} {1}'</source> <target state="translated">Installer '{0} {1}'</target> <note /> </trans-unit> <trans-unit id="Install_version_0"> <source>Install version '{0}'</source> <target state="translated">Installer la version '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_variable_0"> <source>Generate variable '{0}'</source> <target state="translated">Générer la variable '{0}'</target> <note /> </trans-unit> <trans-unit id="Classes"> <source>Classes</source> <target state="translated">Classes</target> <note /> </trans-unit> <trans-unit id="Constants"> <source>Constants</source> <target state="translated">Constantes</target> <note /> </trans-unit> <trans-unit id="Delegates"> <source>Delegates</source> <target state="translated">Délégués</target> <note /> </trans-unit> <trans-unit id="Enums"> <source>Enums</source> <target state="translated">Enums</target> <note /> </trans-unit> <trans-unit id="Events"> <source>Events</source> <target state="translated">Événements</target> <note /> </trans-unit> <trans-unit id="Extension_methods"> <source>Extension methods</source> <target state="translated">Méthodes d'extension</target> <note /> </trans-unit> <trans-unit id="Fields"> <source>Fields</source> <target state="translated">Champs</target> <note /> </trans-unit> <trans-unit id="Interfaces"> <source>Interfaces</source> <target state="translated">Interfaces</target> <note /> </trans-unit> <trans-unit id="Locals"> <source>Locals</source> <target state="translated">Variables locales</target> <note /> </trans-unit> <trans-unit id="Methods"> <source>Methods</source> <target state="translated">Méthodes</target> <note /> </trans-unit> <trans-unit id="Modules"> <source>Modules</source> <target state="translated">Modules</target> <note /> </trans-unit> <trans-unit id="Namespaces"> <source>Namespaces</source> <target state="translated">Espaces de noms</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Propriétés</target> <note /> </trans-unit> <trans-unit id="Structures"> <source>Structures</source> <target state="translated">Structures</target> <note /> </trans-unit> <trans-unit id="Parameters_colon"> <source>Parameters:</source> <target state="translated">Paramètres :</target> <note /> </trans-unit> <trans-unit id="Variadic_SignatureHelpItem_must_have_at_least_one_parameter"> <source>Variadic SignatureHelpItem must have at least one parameter.</source> <target state="translated">L'élément SignatureHelpItem variadique doit avoir au moins un paramètre.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_method"> <source>Replace '{0}' with method</source> <target state="translated">Remplacer '{0}' par une méthode</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_methods"> <source>Replace '{0}' with methods</source> <target state="translated">Remplacer '{0}' par des méthodes</target> <note /> </trans-unit> <trans-unit id="Property_referenced_implicitly"> <source>Property referenced implicitly</source> <target state="translated">Propriété référencée implicitement</target> <note /> </trans-unit> <trans-unit id="Property_cannot_safely_be_replaced_with_a_method_call"> <source>Property cannot safely be replaced with a method call</source> <target state="translated">Impossible de remplacer la propriété de manière sécurisée par un appel de méthode</target> <note /> </trans-unit> <trans-unit id="Convert_to_interpolated_string"> <source>Convert to interpolated string</source> <target state="translated">Convertir en chaîne interpolée</target> <note /> </trans-unit> <trans-unit id="Move_type_to_0"> <source>Move type to {0}</source> <target state="translated">Déplacer le type vers {0}</target> <note /> </trans-unit> <trans-unit id="Rename_file_to_0"> <source>Rename file to {0}</source> <target state="translated">Renommer le fichier en {0}</target> <note /> </trans-unit> <trans-unit id="Rename_type_to_0"> <source>Rename type to {0}</source> <target state="translated">Renommer le type en {0}</target> <note /> </trans-unit> <trans-unit id="Remove_tag"> <source>Remove tag</source> <target state="translated">Supprimer une étiquette</target> <note /> </trans-unit> <trans-unit id="Add_missing_param_nodes"> <source>Add missing param nodes</source> <target state="translated">Ajouter les nœuds de paramètre manquants</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async"> <source>Make containing scope async</source> <target state="translated">Rendre la portée contenante async</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async_return_Task"> <source>Make containing scope async (return Task)</source> <target state="translated">Rendre la portée contenante async (retourner Task)</target> <note /> </trans-unit> <trans-unit id="paren_Unknown_paren"> <source>(Unknown)</source> <target state="translated">(Inconnu)</target> <note /> </trans-unit> <trans-unit id="Use_framework_type"> <source>Use framework type</source> <target state="translated">Utiliser un type d'infrastructure</target> <note /> </trans-unit> <trans-unit id="Install_package_0"> <source>Install package '{0}'</source> <target state="translated">Installer le package '{0}'</target> <note /> </trans-unit> <trans-unit id="project_0"> <source>project {0}</source> <target state="translated">projet {0}</target> <note /> </trans-unit> <trans-unit id="Fully_qualify_0"> <source>Fully qualify '{0}'</source> <target state="translated">{0}' complet</target> <note /> </trans-unit> <trans-unit id="Remove_reference_to_0"> <source>Remove reference to '{0}'.</source> <target state="translated">Supprimez la référence à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Keywords"> <source>Keywords</source> <target state="translated">Mots clés</target> <note /> </trans-unit> <trans-unit id="Snippets"> <source>Snippets</source> <target state="translated">Extraits</target> <note /> </trans-unit> <trans-unit id="All_lowercase"> <source>All lowercase</source> <target state="translated">Tout en minuscules</target> <note /> </trans-unit> <trans-unit id="All_uppercase"> <source>All uppercase</source> <target state="translated">Tout en majuscules</target> <note /> </trans-unit> <trans-unit id="First_word_capitalized"> <source>First word capitalized</source> <target state="translated">Premier mot en majuscule</target> <note /> </trans-unit> <trans-unit id="Pascal_Case"> <source>Pascal Case</source> <target state="translated">Casse Pascal</target> <note /> </trans-unit> <trans-unit id="Remove_document_0"> <source>Remove document '{0}'</source> <target state="translated">Supprimer le document '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_document_0"> <source>Add document '{0}'</source> <target state="translated">Ajouter le document '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0"> <source>Add argument name '{0}'</source> <target state="translated">Ajouter le nom d'argument '{0}'</target> <note /> </trans-unit> <trans-unit id="Take_0"> <source>Take '{0}'</source> <target state="translated">Prendre '{0}'</target> <note /> </trans-unit> <trans-unit id="Take_both"> <source>Take both</source> <target state="translated">Prendre les deux</target> <note /> </trans-unit> <trans-unit id="Take_bottom"> <source>Take bottom</source> <target state="translated">Prendre le bas</target> <note /> </trans-unit> <trans-unit id="Take_top"> <source>Take top</source> <target state="translated">Prendre le haut</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variable"> <source>Remove unused variable</source> <target state="translated">Supprimer la variable inutilisée</target> <note /> </trans-unit> <trans-unit id="Convert_to_binary"> <source>Convert to binary</source> <target state="translated">Convertir en valeur binaire</target> <note /> </trans-unit> <trans-unit id="Convert_to_decimal"> <source>Convert to decimal</source> <target state="translated">Convertir en valeur décimale</target> <note /> </trans-unit> <trans-unit id="Convert_to_hex"> <source>Convert to hex</source> <target state="translated">Convertir en hexadécimal</target> <note /> </trans-unit> <trans-unit id="Separate_thousands"> <source>Separate thousands</source> <target state="translated">Séparer les milliers</target> <note /> </trans-unit> <trans-unit id="Separate_words"> <source>Separate words</source> <target state="translated">Séparer les mots</target> <note /> </trans-unit> <trans-unit id="Separate_nibbles"> <source>Separate nibbles</source> <target state="translated">Séparer les quartets</target> <note /> </trans-unit> <trans-unit id="Remove_separators"> <source>Remove separators</source> <target state="translated">Supprimer les séparateurs</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0"> <source>Add parameter to '{0}'</source> <target state="translated">Ajouter un paramètre à '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor"> <source>Generate constructor...</source> <target state="translated">Générer le constructeur...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_as_constructor_parameters"> <source>Pick members to be used as constructor parameters</source> <target state="translated">Choisir les membres à utiliser comme paramètres de constructeur</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_in_Equals_GetHashCode"> <source>Pick members to be used in Equals/GetHashCode</source> <target state="translated">Choisir les membres à utiliser dans Equals/GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_overrides"> <source>Generate overrides...</source> <target state="translated">Générer les substitutions...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_override"> <source>Pick members to override</source> <target state="translated">Choisir les membres à substituer</target> <note /> </trans-unit> <trans-unit id="Add_null_check"> <source>Add null check</source> <target state="translated">Ajouter un contrôle de valeur null</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrEmpty_check"> <source>Add 'string.IsNullOrEmpty' check</source> <target state="translated">Ajouter le contrôle 'string.IsNullOrEmpty'</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrWhiteSpace_check"> <source>Add 'string.IsNullOrWhiteSpace' check</source> <target state="translated">Ajouter le contrôle 'string.IsNullOrWhiteSpace'</target> <note /> </trans-unit> <trans-unit id="Initialize_field_0"> <source>Initialize field '{0}'</source> <target state="translated">Initialiser le champ '{0}'</target> <note /> </trans-unit> <trans-unit id="Initialize_property_0"> <source>Initialize property '{0}'</source> <target state="translated">Initialiser la propriété '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_null_checks"> <source>Add null checks</source> <target state="translated">Ajouter des contrôles de valeur null</target> <note /> </trans-unit> <trans-unit id="Generate_operators"> <source>Generate operators</source> <target state="translated">Générer les opérateurs</target> <note /> </trans-unit> <trans-unit id="Implement_0"> <source>Implement {0}</source> <target state="translated">Implémenter {0}</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_in_file_1_which_is_not_part_of_the_compilation_being_analyzed"> <source>Reported diagnostic '{0}' has a source location in file '{1}', which is not part of the compilation being analyzed.</source> <target state="translated">Le diagnostic signalé '{0}' a un emplacement source dans le fichier '{1}', qui ne fait pas partie de la compilation en cours d'analyse.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_1_in_file_2_which_is_outside_of_the_given_file"> <source>Reported diagnostic '{0}' has a source location '{1}' in file '{2}', which is outside of the given file.</source> <target state="translated">Le diagnostic signalé '{0}' a un emplacement source '{1}' dans le fichier '{2}', qui se trouve en dehors du fichier donné.</target> <note /> </trans-unit> <trans-unit id="in_0_project_1"> <source>in {0} (project {1})</source> <target state="translated">dans {0} (projet {1})</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Ajouter des modificateurs d'accessibilité</target> <note /> </trans-unit> <trans-unit id="Move_declaration_near_reference"> <source>Move declaration near reference</source> <target state="translated">Déplacer la déclaration près de la référence</target> <note /> </trans-unit> <trans-unit id="Convert_to_full_property"> <source>Convert to full property</source> <target state="translated">Convertir en propriété complète</target> <note /> </trans-unit> <trans-unit id="Warning_Method_overrides_symbol_from_metadata"> <source>Warning: Method overrides symbol from metadata</source> <target state="translated">Avertissement : La méthode remplace le symbole des métadonnées</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use {0}</source> <target state="translated">Utiliser {0}</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0_including_trailing_arguments"> <source>Add argument name '{0}' (including trailing arguments)</source> <target state="translated">Ajouter le nom d'argument '{0}' (ainsi que les arguments de fin)</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">fonction locale</target> <note /> </trans-unit> <trans-unit id="indexer_"> <source>indexer</source> <target state="translated">indexeur</target> <note /> </trans-unit> <trans-unit id="Alias_ambiguous_type_0"> <source>Alias ambiguous type '{0}'</source> <target state="translated">Alias de type ambigu : '{0}'</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_was_modified_during_iteration"> <source>Warning: Collection was modified during iteration.</source> <target state="translated">Avertissement : La collection a été modifiée durant l'itération.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Iteration_variable_crossed_function_boundary"> <source>Warning: Iteration variable crossed function boundary.</source> <target state="translated">Avertissement : La variable d'itération a traversé la limite de fonction.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_may_be_modified_during_iteration"> <source>Warning: Collection may be modified during iteration.</source> <target state="translated">Avertissement : La collection risque d'être modifiée durant l'itération.</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time"> <source>universal full date/time</source> <target state="translated">date/heure complète universelle</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time_description"> <source>The "U" standard format specifier represents a custom date and time format string that is defined by a specified culture's DateTimeFormatInfo.FullDateTimePattern property. The pattern is the same as the "F" pattern. However, the DateTime value is automatically converted to UTC before it is formatted.</source> <target state="translated">Le spécificateur de format standard "U" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.FullDateTimePattern d'une culture spécifique. Le modèle est identique au modèle "F". Toutefois, la valeur DateTime est automatiquement convertie en heure UTC avant que le format souhaité ne lui soit appliqué.</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time"> <source>universal sortable date/time</source> <target state="translated">date/heure universelle pouvant être triée</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time_description"> <source>The "u" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.UniversalSortableDateTimePattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture. Although the result string should express a time as Coordinated Universal Time (UTC), no conversion of the original DateTime value is performed during the formatting operation. Therefore, you must convert a DateTime value to UTC by calling the DateTime.ToUniversalTime method before formatting it.</source> <target state="translated">Le spécificateur de format standard "u" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.UniversalSortableDateTimePattern. Le modèle reflète une norme définie, et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante. Bien que la chaîne résultante soit censée exprimer une heure UTC, aucune conversion de la valeur DateTime d'origine n'est effectuée durant l'opération qui consiste à appliquer le format souhaité. Vous devez donc convertir une valeur DateTime au format UTC en appelant la méthode DateTime.ToUniversalTime avant de lui appliquer le format souhaité.</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_member"> <source>updating usages in containing member</source> <target state="translated">mise à jour des utilisations dans le membre conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_project"> <source>updating usages in containing project</source> <target state="translated">mise à jour des utilisations dans le projet conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_type"> <source>updating usages in containing type</source> <target state="translated">mise à jour des utilisations dans le type conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_dependent_projects"> <source>updating usages in dependent projects</source> <target state="translated">mise à jour des utilisations dans les projets dépendants</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset"> <source>utc hour and minute offset</source> <target state="translated">décalage des heures et des minutes UTC</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset_description"> <source>With DateTime values, the "zzz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours and minutes. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zzz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours and minutes. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "zzz" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures et en minutes. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "zzz" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures et en minutes. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits"> <source>utc hour offset (1-2 digits)</source> <target state="translated">décalage des heures UTC (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits_description"> <source>With DateTime values, the "z" custom format specifier represents the signed offset of the local operating system's time zone from Coordinated Universal Time (UTC), measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "z" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted without a leading zero. If the "z" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "z" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "z" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "z" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits"> <source>utc hour offset (2 digits)</source> <target state="translated">décalage des heures UTC (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits_description"> <source>With DateTime values, the "zz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "zz" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "zz" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="x_y_range_in_reverse_order"> <source>[x-y] range in reverse order</source> <target state="translated">Intervalle [x-y] dans l'ordre inverse</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [b-a]</note> </trans-unit> <trans-unit id="year_1_2_digits"> <source>year (1-2 digits)</source> <target state="translated">année (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_1_2_digits_description"> <source>The "y" custom format specifier represents the year as a one-digit or two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the first digit of a two-digit year begins with a zero (for example, 2008), the number is formatted without a leading zero. If the "y" format specifier is used without other custom format specifiers, it's interpreted as the "y" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "y" représente l'année sous la forme d'un nombre à un ou deux chiffres. Si l'année comporte plus de deux chiffres, seuls les deux chiffres de poids faible apparaissent dans le résultat. Si le premier chiffre d'une année à deux chiffres commence par un zéro (par exemple 2008), le nombre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "y" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "y".</target> <note /> </trans-unit> <trans-unit id="year_2_digits"> <source>year (2 digits)</source> <target state="translated">année (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_2_digits_description"> <source>The "yy" custom format specifier represents the year as a two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the two-digit year has fewer than two significant digits, the number is padded with leading zeros to produce two digits. In a parsing operation, a two-digit year that is parsed using the "yy" custom format specifier is interpreted based on the Calendar.TwoDigitYearMax property of the format provider's current calendar. The following example parses the string representation of a date that has a two-digit year by using the default Gregorian calendar of the en-US culture, which, in this case, is the current culture. It then changes the current culture's CultureInfo object to use a GregorianCalendar object whose TwoDigitYearMax property has been modified.</source> <target state="translated">Le spécificateur de format personnalisé "yy" représente l'année sous la forme d'un nombre à deux chiffres. Si l'année comporte plus de deux chiffres, seuls les deux chiffres de poids faible apparaissent dans le résultat. Si l'année à deux chiffres comporte moins de deux chiffres significatifs, la valeur numérique est complétée avec des zéros de début pour produire deux chiffres. Dans une opération d'analyse, une année à deux chiffres analysée à l'aide du spécificateur de format personnalisé "yy" est interprétée en fonction de la propriété Calendar.TwoDigitYearMax du calendrier actuel du fournisseur de format. L'exemple suivant analyse la représentation sous forme de chaîne d'une date qui comporte une année à deux chiffres, à l'aide du calendrier grégorien par défaut de la culture en-US, qui, dans le cas présent, correspond à la culture actuelle. Il change ensuite l'objet CultureInfo de la culture actuelle pour utiliser un objet GregorianCalendar dont la propriété TwoDigitYearMax a été modifiée.</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits"> <source>year (3-4 digits)</source> <target state="translated">année (3 à 4 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits_description"> <source>The "yyy" custom format specifier represents the year with a minimum of three digits. If the year has more than three significant digits, they are included in the result string. If the year has fewer than three digits, the number is padded with leading zeros to produce three digits.</source> <target state="translated">Le spécificateur de format personnalisé "yyy" représente l'année sous la forme d'un nombre à trois chiffres au minimum. Si l'année comporte plus de trois chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de trois chiffres, la valeur numérique est complétée avec des zéros de début pour produire trois chiffres.</target> <note /> </trans-unit> <trans-unit id="year_4_digits"> <source>year (4 digits)</source> <target state="translated">année (4 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_4_digits_description"> <source>The "yyyy" custom format specifier represents the year with a minimum of four digits. If the year has more than four significant digits, they are included in the result string. If the year has fewer than four digits, the number is padded with leading zeros to produce four digits.</source> <target state="translated">Le spécificateur de format personnalisé "yyyy" représente l'année sous la forme d'un nombre à quatre chiffres au minimum. Si l'année comporte plus de quatre chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de quatre chiffres, la valeur numérique est complétée avec des zéros de début pour produire quatre chiffres.</target> <note /> </trans-unit> <trans-unit id="year_5_digits"> <source>year (5 digits)</source> <target state="translated">année (5 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_5_digits_description"> <source>The "yyyyy" custom format specifier (plus any number of additional "y" specifiers) represents the year with a minimum of five digits. If the year has more than five significant digits, they are included in the result string. If the year has fewer than five digits, the number is padded with leading zeros to produce five digits. If there are additional "y" specifiers, the number is padded with as many leading zeros as necessary to produce the number of "y" specifiers.</source> <target state="translated">Le spécificateur de format personnalisé "yyyyy" (plus n'importe quel nombre de spécificateurs "y" supplémentaires) représente l'année sous la forme d'un nombre à cinq chiffres au minimum. Si l'année comporte plus de cinq chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de cinq chiffres, la valeur numérique est complétée avec des zéros de début pour produire cinq chiffres. S'il existe des spécificateurs "y" supplémentaires, la valeur numérique est complétée avec autant de zéros de début que nécessaire pour produire le nombre de spécificateurs "y".</target> <note /> </trans-unit> <trans-unit id="year_month"> <source>year month</source> <target state="translated">année mois</target> <note /> </trans-unit> <trans-unit id="year_month_description"> <source>The "Y" or "y" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.YearMonthPattern property of a specified culture. For example, the custom format string for the invariant culture is "yyyy MMMM".</source> <target state="translated">Le spécificateur de format standard "Y" ou "y" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.YearMonthPattern de la culture spécifiée. Par exemple, la chaîne de format personnalisée pour la culture invariante est "yyyy MMMM".</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="fr" original="../FeaturesResources.resx"> <body> <trans-unit id="0_directive"> <source>#{0} directive</source> <target state="new">#{0} directive</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated"> <source>AM/PM (abbreviated)</source> <target state="translated">AM/PM (abrégé)</target> <note /> </trans-unit> <trans-unit id="AM_PM_abbreviated_description"> <source>The "t" custom format specifier represents the first character of the AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. If the "t" format specifier is used without other custom format specifiers, it's interpreted as the "t" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "t" représente le premier caractère du désignateur AM/PM. Le désignateur localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.AMDesignator ou DateTimeFormatInfo.PMDesignator de la culture actuelle ou spécifique. Le désignateur AM est utilisé pour toutes les heures comprises entre 0:00:00 (minuit) et 11:59:59.999. Le désignateur PM est utilisé pour toutes les heures comprises entre 12:00:00 (midi) et 23:59:59.999. Si le spécificateur de format "t" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "t".</target> <note /> </trans-unit> <trans-unit id="AM_PM_full"> <source>AM/PM (full)</source> <target state="translated">AM/PM (complet)</target> <note /> </trans-unit> <trans-unit id="AM_PM_full_description"> <source>The "tt" custom format specifier (plus any number of additional "t" specifiers) represents the entire AM/PM designator. The appropriate localized designator is retrieved from the DateTimeFormatInfo.AMDesignator or DateTimeFormatInfo.PMDesignator property of the current or specific culture. The AM designator is used for all times from 0:00:00 (midnight) to 11:59:59.999. The PM designator is used for all times from 12:00:00 (noon) to 23:59:59.999. Make sure to use the "tt" specifier for languages for which it's necessary to maintain the distinction between AM and PM. An example is Japanese, for which the AM and PM designators differ in the second character instead of the first character.</source> <target state="translated">Le spécificateur de format personnalisé "tt" (plus n'importe quel nombre de spécificateurs "t" supplémentaires) représente l'intégralité du désignateur AM/PM. Le désignateur localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.AMDesignator ou DateTimeFormatInfo.PMDesignator de la culture actuelle ou spécifique. Le désignateur AM est utilisé pour toutes les heures comprises entre 0:00:00 (minuit) et 11:59:59.999. Le désignateur PM est utilisé pour toutes les heures comprises entre 12:00:00 (midi) et 23:59:59.999. Veillez à utiliser le spécificateur "tt" pour les langues où il est nécessaire de maintenir la distinction entre AM et PM. Par exemple, en japonais, les désignateurs AM et PM diffèrent au niveau du second caractère au lieu du premier.</target> <note /> </trans-unit> <trans-unit id="A_subtraction_must_be_the_last_element_in_a_character_class"> <source>A subtraction must be the last element in a character class</source> <target state="translated">Une soustraction doit être le dernier élément dans une classe de caractères</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-[b]-c]</note> </trans-unit> <trans-unit id="Accessing_captured_variable_0_that_hasn_t_been_accessed_before_in_1_requires_restarting_the_application"> <source>Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</source> <target state="new">Accessing captured variable '{0}' that hasn't been accessed before in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Add_DebuggerDisplay_attribute"> <source>Add 'DebuggerDisplay' attribute</source> <target state="translated">Ajouter l'attribut 'DebuggerDisplay'</target> <note>{Locked="DebuggerDisplay"} "DebuggerDisplay" is a BCL class and should not be localized.</note> </trans-unit> <trans-unit id="Add_explicit_cast"> <source>Add explicit cast</source> <target state="translated">Ajouter un cast explicite</target> <note /> </trans-unit> <trans-unit id="Add_member_name"> <source>Add member name</source> <target state="translated">Ajouter le nom du membre</target> <note /> </trans-unit> <trans-unit id="Add_null_checks_for_all_parameters"> <source>Add null checks for all parameters</source> <target state="translated">Ajouter des vérifications de valeur null pour tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameter_to_constructor"> <source>Add optional parameter to constructor</source> <target state="translated">Ajouter un paramètre optionnel au constructeur</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0_and_overrides_implementations"> <source>Add parameter to '{0}' (and overrides/implementations)</source> <target state="translated">Ajouter un paramètre à '{0}' (et aux remplacements/implémentations)</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_constructor"> <source>Add parameter to constructor</source> <target state="translated">Ajouter un paramètre au constructeur</target> <note /> </trans-unit> <trans-unit id="Add_project_reference_to_0"> <source>Add project reference to '{0}'.</source> <target state="translated">Ajoutez une référence de projet à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Add_reference_to_0"> <source>Add reference to '{0}'.</source> <target state="translated">Ajoutez une référence à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Actions_can_not_be_empty"> <source>Actions can not be empty.</source> <target state="translated">Les actions ne peuvent pas être vides.</target> <note /> </trans-unit> <trans-unit id="Add_tuple_element_name_0"> <source>Add tuple element name '{0}'</source> <target state="translated">Ajouter le nom d'élément tuple '{0}'</target> <note /> </trans-unit> <trans-unit id="Adding_0_around_an_active_statement_requires_restarting_the_application"> <source>Adding {0} around an active statement requires restarting the application.</source> <target state="new">Adding {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_1_requires_restarting_the_application"> <source>Adding {0} into a {1} requires restarting the application.</source> <target state="new">Adding {0} into a {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_class_with_explicit_or_sequential_layout_requires_restarting_the_application"> <source>Adding {0} into a class with explicit or sequential layout requires restarting the application.</source> <target state="new">Adding {0} into a class with explicit or sequential layout requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_a_generic_type_requires_restarting_the_application"> <source>Adding {0} into a generic type requires restarting the application.</source> <target state="new">Adding {0} into a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_method_requires_restarting_the_application"> <source>Adding {0} into an interface method requires restarting the application.</source> <target state="new">Adding {0} into an interface method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_into_an_interface_requires_restarting_the_application"> <source>Adding {0} into an interface requires restarting the application.</source> <target state="new">Adding {0} into an interface requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_requires_restarting_the_application"> <source>Adding {0} requires restarting the application.</source> <target state="new">Adding {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_that_accesses_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Adding {0} that accesses captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_0_with_the_Handles_clause_requires_restarting_the_application"> <source>Adding {0} with the Handles clause requires restarting the application.</source> <target state="new">Adding {0} with the Handles clause requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_MustOverride_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding a MustOverride {0} or overriding an inherited {0} requires restarting the application.</target> <note>{Locked="MustOverride"} "MustOverride" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_a_constructor_to_a_type_with_a_field_or_property_initializer_that_contains_an_anonymous_function_requires_restarting_the_application"> <source>Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</source> <target state="new">Adding a constructor to a type with a field or property initializer that contains an anonymous function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_generic_0_requires_restarting_the_application"> <source>Adding a generic {0} requires restarting the application.</source> <target state="new">Adding a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_method_with_an_explicit_interface_specifier_requires_restarting_the_application"> <source>Adding a method with an explicit interface specifier requires restarting the application.</source> <target state="new">Adding a method with an explicit interface specifier requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_new_file_requires_restarting_the_application"> <source>Adding a new file requires restarting the application.</source> <target state="new">Adding a new file requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_a_user_defined_0_requires_restarting_the_application"> <source>Adding a user defined {0} requires restarting the application.</source> <target state="new">Adding a user defined {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_abstract_0_or_overriding_an_inherited_0_requires_restarting_the_application"> <source>Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</source> <target state="new">Adding an abstract {0} or overriding an inherited {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Adding_an_extern_0_requires_restarting_the_application"> <source>Adding an extern {0} requires restarting the application.</source> <target state="new">Adding an extern {0} requires restarting the application.</target> <note>{Locked="extern"} "extern" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Adding_an_imported_method_requires_restarting_the_application"> <source>Adding an imported method requires restarting the application.</source> <target state="new">Adding an imported method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_arguments"> <source>Align wrapped arguments</source> <target state="translated">Aligner les arguments enveloppés</target> <note /> </trans-unit> <trans-unit id="Align_wrapped_parameters"> <source>Align wrapped parameters</source> <target state="translated">Aligner les paramètres enveloppés</target> <note /> </trans-unit> <trans-unit id="Alternation_conditions_cannot_be_comments"> <source>Alternation conditions cannot be comments</source> <target state="translated">Les conditions d'alternance ne peuvent pas être des commentaires</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a|(?#b)</note> </trans-unit> <trans-unit id="Alternation_conditions_do_not_capture_and_cannot_be_named"> <source>Alternation conditions do not capture and cannot be named</source> <target state="translated">Les conditions d'alternance n'effectuent pas de capture et ne peuvent pas être nommées</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(?'x'))</note> </trans-unit> <trans-unit id="An_update_that_causes_the_return_type_of_implicit_main_to_change_requires_restarting_the_application"> <source>An update that causes the return type of the implicit Main method to change requires restarting the application.</source> <target state="new">An update that causes the return type of the implicit Main method to change requires restarting the application.</target> <note>{Locked="Main"} is C# keywords and should not be localized.</note> </trans-unit> <trans-unit id="Apply_file_header_preferences"> <source>Apply file header preferences</source> <target state="translated">Appliquer les préférences d'en-tête de fichier</target> <note /> </trans-unit> <trans-unit id="Apply_object_collection_initialization_preferences"> <source>Apply object/collection initialization preferences</source> <target state="translated">Appliquer les préférences d'initialisation des objets/collections</target> <note /> </trans-unit> <trans-unit id="Attribute_0_is_missing_Updating_an_async_method_or_an_iterator_requires_restarting_the_application"> <source>Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</source> <target state="new">Attribute '{0}' is missing. Updating an async method or an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Asynchronously_waits_for_the_task_to_finish"> <source>Asynchronously waits for the task to finish.</source> <target state="new">Asynchronously waits for the task to finish.</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_0"> <source>Awaited task returns '{0}'</source> <target state="translated">La tâche attendue retourne '{0}'</target> <note /> </trans-unit> <trans-unit id="Awaited_task_returns_no_value"> <source>Awaited task returns no value</source> <target state="translated">La tâche attendue ne retourne aucune valeur</target> <note /> </trans-unit> <trans-unit id="Base_classes_contain_inaccessible_unimplemented_members"> <source>Base classes contain inaccessible unimplemented members</source> <target state="translated">Les classes de base contiennent des membres non implémentés inaccessibles</target> <note /> </trans-unit> <trans-unit id="CannotApplyChangesUnexpectedError"> <source>Cannot apply changes -- unexpected error: '{0}'</source> <target state="translated">Impossible d'appliquer les changements -- Erreur inattendue : '{0}'</target> <note /> </trans-unit> <trans-unit id="Cannot_include_class_0_in_character_range"> <source>Cannot include class \{0} in character range</source> <target state="translated">Impossible d'inclure la classe \{0} dans la plage de caractères</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [a-\w]. {0} is the invalid class (\w here)</note> </trans-unit> <trans-unit id="Capture_group_numbers_must_be_less_than_or_equal_to_Int32_MaxValue"> <source>Capture group numbers must be less than or equal to Int32.MaxValue</source> <target state="translated">Les nombres de groupe de capture doivent être inférieurs ou égaux à Int32.MaxValue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{2147483648}</note> </trans-unit> <trans-unit id="Capture_number_cannot_be_zero"> <source>Capture number cannot be zero</source> <target state="translated">Le nombre de captures ne peut pas être égal à zéro</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;0&gt;a)</note> </trans-unit> <trans-unit id="Capturing_variable_0_that_hasn_t_been_captured_before_requires_restarting_the_application"> <source>Capturing variable '{0}' that hasn't been captured before requires restarting the application.</source> <target state="new">Capturing variable '{0}' that hasn't been captured before requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_access_captured_variable_0_in_1_requires_restarting_the_application"> <source>Ceasing to access captured variable '{0}' in {1} requires restarting the application.</source> <target state="new">Ceasing to access captured variable '{0}' in {1} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Ceasing_to_capture_variable_0_requires_restarting_the_application"> <source>Ceasing to capture variable '{0}' requires restarting the application.</source> <target state="new">Ceasing to capture variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterInferValue"> <source>&lt;infer&gt;</source> <target state="translated">&lt;déduire&gt;</target> <note /> </trans-unit> <trans-unit id="ChangeSignature_NewParameterIntroduceTODOVariable"> <source>TODO</source> <target state="translated">TODO</target> <note>"TODO" is an indication that there is work still to be done.</note> </trans-unit> <trans-unit id="ChangeSignature_NewParameterOmitValue"> <source>&lt;omit&gt;</source> <target state="translated">&lt;omettre&gt;</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_0"> <source>Change namespace to '{0}'</source> <target state="translated">Remplacer l’espace de noms par '{0}'</target> <note /> </trans-unit> <trans-unit id="Change_to_global_namespace"> <source>Change to global namespace</source> <target state="translated">Remplacer par l'espace de noms général</target> <note /> </trans-unit> <trans-unit id="ChangesDisallowedWhileStoppedAtException"> <source>Changes are not allowed while stopped at exception</source> <target state="translated">Aucun changement n'est autorisé en cas d'arrêt à la suite d'une exception</target> <note /> </trans-unit> <trans-unit id="ChangesNotAppliedWhileRunning"> <source>Changes made in project '{0}' will not be applied while the application is running</source> <target state="translated">Les changements apportés au projet '{0}' ne sont pas appliqués tant que l'application est en cours d'exécution</target> <note /> </trans-unit> <trans-unit id="ChangesRequiredSynthesizedType"> <source>One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</source> <target state="new">One or more changes result in a new type being created by the compiler, which requires restarting the application because it is not supported by the runtime</target> <note /> </trans-unit> <trans-unit id="Changing_0_from_asynchronous_to_synchronous_requires_restarting_the_application"> <source>Changing {0} from asynchronous to synchronous requires restarting the application.</source> <target state="new">Changing {0} from asynchronous to synchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_0_to_1_requires_restarting_the_application_because_it_changes_the_shape_of_the_state_machine"> <source>Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</source> <target state="new">Changing '{0}' to '{1}' requires restarting the application because it changes the shape of the state machine.</target> <note /> </trans-unit> <trans-unit id="Changing_a_field_to_an_event_or_vice_versa_requires_restarting_the_application"> <source>Changing a field to an event or vice versa requires restarting the application.</source> <target state="new">Changing a field to an event or vice versa requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_constraints_of_0_requires_restarting_the_application"> <source>Changing constraints of {0} requires restarting the application.</source> <target state="new">Changing constraints of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_parameter_types_of_0_requires_restarting_the_application"> <source>Changing parameter types of {0} requires restarting the application.</source> <target state="new">Changing parameter types of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_pseudo_custom_attribute_0_of_1_requires_restarting_th_application"> <source>Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</source> <target state="new">Changing pseudo-custom attribute '{0}' of {1} requires restarting the application</target> <note /> </trans-unit> <trans-unit id="Changing_the_declaration_scope_of_a_captured_variable_0_requires_restarting_the_application"> <source>Changing the declaration scope of a captured variable '{0}' requires restarting the application.</source> <target state="new">Changing the declaration scope of a captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_parameters_of_0_requires_restarting_the_application"> <source>Changing the parameters of {0} requires restarting the application.</source> <target state="new">Changing the parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_return_type_of_0_requires_restarting_the_application"> <source>Changing the return type of {0} requires restarting the application.</source> <target state="new">Changing the return type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_0_requires_restarting_the_application"> <source>Changing the type of {0} requires restarting the application.</source> <target state="new">Changing the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_the_type_of_a_captured_variable_0_previously_of_type_1_requires_restarting_the_application"> <source>Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</source> <target state="new">Changing the type of a captured variable '{0}' previously of type '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_type_parameters_of_0_requires_restarting_the_application"> <source>Changing type parameters of {0} requires restarting the application.</source> <target state="new">Changing type parameters of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Changing_visibility_of_0_requires_restarting_the_application"> <source>Changing visibility of {0} requires restarting the application.</source> <target state="new">Changing visibility of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Configure_0_code_style"> <source>Configure {0} code style</source> <target state="translated">Configurer le style de code {0}</target> <note /> </trans-unit> <trans-unit id="Configure_0_severity"> <source>Configure {0} severity</source> <target state="translated">Configurer la gravité {0}</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_0_analyzers"> <source>Configure severity for all '{0}' analyzers</source> <target state="translated">Configurer la gravité pour tous les analyseurs '{0}'</target> <note /> </trans-unit> <trans-unit id="Configure_severity_for_all_analyzers"> <source>Configure severity for all analyzers</source> <target state="translated">Configurer la gravité pour tous les analyseurs</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq"> <source>Convert to LINQ</source> <target state="translated">Convertir en LINQ</target> <note /> </trans-unit> <trans-unit id="Add_to_0"> <source>Add to '{0}'</source> <target state="translated">Ajouter à '{0}'</target> <note /> </trans-unit> <trans-unit id="Convert_to_class"> <source>Convert to class</source> <target state="translated">Convertir en classe</target> <note /> </trans-unit> <trans-unit id="Convert_to_linq_call_form"> <source>Convert to LINQ (call form)</source> <target state="translated">Convertir en LINQ (formulaire d'appel)</target> <note /> </trans-unit> <trans-unit id="Convert_to_record"> <source>Convert to record</source> <target state="translated">Convertir en enregistrement</target> <note /> </trans-unit> <trans-unit id="Convert_to_record_struct"> <source>Convert to record struct</source> <target state="translated">Convertir en struct d’enregistrement</target> <note /> </trans-unit> <trans-unit id="Convert_to_struct"> <source>Convert to struct</source> <target state="translated">Convertir en struct</target> <note /> </trans-unit> <trans-unit id="Convert_type_to_0"> <source>Convert type to '{0}'</source> <target state="translated">Convertir le type en '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_field_0"> <source>Create and assign field '{0}'</source> <target state="translated">Créer et affecter le champ '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_property_0"> <source>Create and assign property '{0}'</source> <target state="translated">Créer et affecter la propriété '{0}'</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_fields"> <source>Create and assign remaining as fields</source> <target state="translated">Créer et affecter ce qui reste en tant que champs</target> <note /> </trans-unit> <trans-unit id="Create_and_assign_remaining_as_properties"> <source>Create and assign remaining as properties</source> <target state="translated">Créer et affecter ce qui reste en tant que propriétés</target> <note /> </trans-unit> <trans-unit id="Deleting_0_around_an_active_statement_requires_restarting_the_application"> <source>Deleting {0} around an active statement requires restarting the application.</source> <target state="new">Deleting {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_0_requires_restarting_the_application"> <source>Deleting {0} requires restarting the application.</source> <target state="new">Deleting {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Deleting_captured_variable_0_requires_restarting_the_application"> <source>Deleting captured variable '{0}' requires restarting the application.</source> <target state="new">Deleting captured variable '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Do_not_change_this_code_Put_cleanup_code_in_0_method"> <source>Do not change this code. Put cleanup code in '{0}' method</source> <target state="translated">Ne changez pas ce code. Placez le code de nettoyage dans la méthode '{0}'</target> <note /> </trans-unit> <trans-unit id="DocumentIsOutOfSyncWithDebuggee"> <source>The current content of source file '{0}' does not match the built source. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">Le contenu actuel du fichier source '{0}' ne correspond pas à la source générée. Les changements apportés à ce fichier durant le débogage ne seront pas appliqués tant que son contenu ne correspondra pas à la source générée.</target> <note /> </trans-unit> <trans-unit id="Document_must_be_contained_in_the_workspace_that_created_this_service"> <source>Document must be contained in the workspace that created this service</source> <target state="translated">Le document doit être contenu dans l'espace de travail qui a créé ce service</target> <note /> </trans-unit> <trans-unit id="EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Modifier et continuer</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByModule"> <source>Edit and Continue disallowed by module</source> <target state="translated">Fonctionnalité Modifier et Continuer interdite par le module</target> <note /> </trans-unit> <trans-unit id="EditAndContinueDisallowedByProject"> <source>Changes made in project '{0}' require restarting the application: {1}</source> <target state="needs-review-translation">Les changements apportés au projet '{0}' empêchent la session de débogage de se poursuivre : {1}</target> <note /> </trans-unit> <trans-unit id="Edit_and_continue_is_not_supported_by_the_runtime"> <source>Edit and continue is not supported by the runtime.</source> <target state="translated">Modifier et continuer n’est pas pris en charge par le runtime.</target> <note /> </trans-unit> <trans-unit id="ErrorReadingFile"> <source>Error while reading file '{0}': {1}</source> <target state="translated">Erreur durant la lecture du fichier '{0}' : {1}</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider"> <source>Error creating instance of CodeFixProvider</source> <target state="translated">Erreur lors de la création de l'instance de CodeFixProvider</target> <note /> </trans-unit> <trans-unit id="Error_creating_instance_of_CodeFixProvider_0"> <source>Error creating instance of CodeFixProvider '{0}'</source> <target state="translated">Erreur lors de la création de l'instance de CodeFixProvider '{0}'</target> <note /> </trans-unit> <trans-unit id="Example"> <source>Example:</source> <target state="translated">Exemple :</target> <note>Singular form when we want to show an example, but only have one to show.</note> </trans-unit> <trans-unit id="Examples"> <source>Examples:</source> <target state="translated">Exemples :</target> <note>Plural form when we have multiple examples to show.</note> </trans-unit> <trans-unit id="Explicitly_implemented_methods_of_records_must_have_parameter_names_that_match_the_compiler_generated_equivalent_0"> <source>Explicitly implemented methods of records must have parameter names that match the compiler generated equivalent '{0}'</source> <target state="translated">Les méthodes d'enregistrement implémentées explicitement doivent avoir des noms de paramètres qui correspondent à l'équivalent « {0} » généré par le compilateur.</target> <note /> </trans-unit> <trans-unit id="Extract_base_class"> <source>Extract base class...</source> <target state="translated">Extraire la classe de base...</target> <note /> </trans-unit> <trans-unit id="Extract_interface"> <source>Extract interface...</source> <target state="translated">Extraire l'interface...</target> <note /> </trans-unit> <trans-unit id="Extract_local_function"> <source>Extract local function</source> <target state="translated">Extraire la fonction locale</target> <note /> </trans-unit> <trans-unit id="Extract_method"> <source>Extract method</source> <target state="translated">Extraire une méthode</target> <note /> </trans-unit> <trans-unit id="Failed_to_analyze_data_flow_for_0"> <source>Failed to analyze data-flow for: {0}</source> <target state="translated">Impossible d’analyser le flux de données pour : {0}</target> <note /> </trans-unit> <trans-unit id="Fix_formatting"> <source>Fix formatting</source> <target state="translated">Corriger la mise en forme</target> <note /> </trans-unit> <trans-unit id="Fix_typo_0"> <source>Fix typo '{0}'</source> <target state="translated">Corriger la faute de frappe '{0}'</target> <note /> </trans-unit> <trans-unit id="Format_document"> <source>Format document</source> <target state="translated">Mettre en forme le document</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document</source> <target state="translated">Mise en forme du document</target> <note /> </trans-unit> <trans-unit id="Generate_comparison_operators"> <source>Generate comparison operators</source> <target state="translated">Générer des opérateurs de comparaison</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_fields"> <source>Generate constructor in '{0}' (with fields)</source> <target state="translated">Générer le constructeur dans '{0}' (avec les champs)</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0_with_properties"> <source>Generate constructor in '{0}' (with properties)</source> <target state="translated">Générer le constructeur dans '{0}' (avec les propriétés)</target> <note /> </trans-unit> <trans-unit id="Generate_for_0"> <source>Generate for '{0}'</source> <target state="translated">Générer pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0"> <source>Generate parameter '{0}'</source> <target state="translated">Générer le paramètre '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_parameter_0_and_overrides_implementations"> <source>Generate parameter '{0}' (and overrides/implementations)</source> <target state="translated">Générer le paramètre '{0}' (et les substitutions/implémentations)</target> <note /> </trans-unit> <trans-unit id="Illegal_backslash_at_end_of_pattern"> <source>Illegal \ at end of pattern</source> <target state="translated">Caractère \ non autorisé à la fin du modèle</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \</note> </trans-unit> <trans-unit id="Illegal_x_y_with_x_less_than_y"> <source>Illegal {x,y} with x &gt; y</source> <target state="translated">{x,y} non autorisé avec x &gt; y</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a{1,0}</note> </trans-unit> <trans-unit id="Implement_0_explicitly"> <source>Implement '{0}' explicitly</source> <target state="translated">Implémenter '{0}' explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_0_implicitly"> <source>Implement '{0}' implicitly</source> <target state="translated">Implémenter '{0}' implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_abstract_class"> <source>Implement abstract class</source> <target state="translated">Implémenter une classe abstraite</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_explicitly"> <source>Implement all interfaces explicitly</source> <target state="translated">Implémenter toutes les interfaces explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_all_interfaces_implicitly"> <source>Implement all interfaces implicitly</source> <target state="translated">Implémenter toutes les interfaces implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_all_members_explicitly"> <source>Implement all members explicitly</source> <target state="translated">Implémenter tous les membres explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_explicitly"> <source>Implement explicitly</source> <target state="translated">Implémenter explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_implicitly"> <source>Implement implicitly</source> <target state="translated">Implémenter implicitement</target> <note /> </trans-unit> <trans-unit id="Implement_remaining_members_explicitly"> <source>Implement remaining members explicitly</source> <target state="translated">Implémenter les membres restants explicitement</target> <note /> </trans-unit> <trans-unit id="Implement_through_0"> <source>Implement through '{0}'</source> <target state="translated">Implémenter via '{0}'</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_as_read_only_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' as read only requires restarting the application,</source> <target state="new">Implementing a record positional parameter '{0}' as read only requires restarting the application,</target> <note /> </trans-unit> <trans-unit id="Implementing_a_record_positional_parameter_0_with_a_set_accessor_requires_restarting_the_application"> <source>Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</source> <target state="new">Implementing a record positional parameter '{0}' with a set accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Incomplete_character_escape"> <source>Incomplete \p{X} character escape</source> <target state="translated">Caractère d'échappement \p{X} incomplet</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{ Cc }</note> </trans-unit> <trans-unit id="Indent_all_arguments"> <source>Indent all arguments</source> <target state="translated">Mettre en retrait tous les arguments</target> <note /> </trans-unit> <trans-unit id="Indent_all_parameters"> <source>Indent all parameters</source> <target state="translated">Mettre en retrait tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_arguments"> <source>Indent wrapped arguments</source> <target state="translated">Mettre en retrait les arguments enveloppés</target> <note /> </trans-unit> <trans-unit id="Indent_wrapped_parameters"> <source>Indent wrapped parameters</source> <target state="translated">Mettre en retrait les paramètres enveloppés</target> <note /> </trans-unit> <trans-unit id="Inline_0"> <source>Inline '{0}'</source> <target state="translated">Inline '{0}'</target> <note /> </trans-unit> <trans-unit id="Inline_and_keep_0"> <source>Inline and keep '{0}'</source> <target state="translated">Inline et conserver '{0}'</target> <note /> </trans-unit> <trans-unit id="Insufficient_hexadecimal_digits"> <source>Insufficient hexadecimal digits</source> <target state="translated">Chiffres hexadécimaux insuffisants</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \x</note> </trans-unit> <trans-unit id="Introduce_constant"> <source>Introduce constant</source> <target state="translated">Introduire une constante</target> <note /> </trans-unit> <trans-unit id="Introduce_field"> <source>Introduce field</source> <target state="translated">Introduire le champ</target> <note /> </trans-unit> <trans-unit id="Introduce_local"> <source>Introduce local</source> <target state="translated">Introduire un élément local</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter"> <source>Introduce parameter</source> <target state="new">Introduce parameter</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_0"> <source>Introduce parameter for '{0}'</source> <target state="new">Introduce parameter for '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_parameter_for_all_occurrences_of_0"> <source>Introduce parameter for all occurrences of '{0}'</source> <target state="new">Introduce parameter for all occurrences of '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable"> <source>Introduce query variable</source> <target state="translated">Introduire la variable de requête</target> <note /> </trans-unit> <trans-unit id="Invalid_group_name_Group_names_must_begin_with_a_word_character"> <source>Invalid group name: Group names must begin with a word character</source> <target state="translated">Nom de groupe non valide : les noms de groupe doivent commencer par un caractère alphabétique</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;a &gt;a)</note> </trans-unit> <trans-unit id="Invalid_selection"> <source>Invalid selection.</source> <target state="new">Invalid selection.</target> <note /> </trans-unit> <trans-unit id="Make_class_abstract"> <source>Make class 'abstract'</source> <target state="translated">Rendre la classe 'abstract'</target> <note /> </trans-unit> <trans-unit id="Make_member_static"> <source>Make static</source> <target state="translated">Rendre statique</target> <note /> </trans-unit> <trans-unit id="Invert_conditional"> <source>Invert conditional</source> <target state="translated">Inverser un élément conditionnel</target> <note /> </trans-unit> <trans-unit id="Making_a_method_an_iterator_requires_restarting_the_application"> <source>Making a method an iterator requires restarting the application.</source> <target state="new">Making a method an iterator requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Making_a_method_asynchronous_requires_restarting_the_application"> <source>Making a method asynchronous requires restarting the application.</source> <target state="new">Making a method asynchronous requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Malformed"> <source>malformed</source> <target state="translated">incorrecte</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0</note> </trans-unit> <trans-unit id="Malformed_character_escape"> <source>Malformed \p{X} character escape</source> <target state="translated">Caractère d'échappement incorrect \p{X}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p {Cc}</note> </trans-unit> <trans-unit id="Malformed_named_back_reference"> <source>Malformed \k&lt;...&gt; named back reference</source> <target state="translated">Référence arrière nommée \k&lt;...&gt; incorrecte</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k'</note> </trans-unit> <trans-unit id="Merge_with_nested_0_statement"> <source>Merge with nested '{0}' statement</source> <target state="translated">Fusionner avec l'instruction '{0}' imbriquée</target> <note /> </trans-unit> <trans-unit id="Merge_with_next_0_statement"> <source>Merge with next '{0}' statement</source> <target state="translated">Fusionner avec la prochaine instruction '{0}'</target> <note /> </trans-unit> <trans-unit id="Merge_with_outer_0_statement"> <source>Merge with outer '{0}' statement</source> <target state="translated">Fusionner avec l'instruction '{0}' externe</target> <note /> </trans-unit> <trans-unit id="Merge_with_previous_0_statement"> <source>Merge with previous '{0}' statement</source> <target state="translated">Fusionner avec la précédente instruction '{0}'</target> <note /> </trans-unit> <trans-unit id="MethodMustReturnStreamThatSupportsReadAndSeek"> <source>{0} must return a stream that supports read and seek operations.</source> <target state="translated">{0} doit retourner un flux qui prend en charge les opérations de lecture et de recherche.</target> <note /> </trans-unit> <trans-unit id="Missing_control_character"> <source>Missing control character</source> <target state="translated">Caractère de contrôle manquant</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \c</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_a_static_variable_requires_restarting_the_application"> <source>Modifying {0} which contains a static variable requires restarting the application.</source> <target state="new">Modifying {0} which contains a static variable requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_0_which_contains_an_Aggregate_Group_By_or_Join_query_clauses_requires_restarting_the_application"> <source>Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</source> <target state="new">Modifying {0} which contains an Aggregate, Group By, or Join query clauses requires restarting the application.</target> <note>{Locked="Aggregate"}{Locked="Group By"}{Locked="Join"} are VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_0_which_contains_the_stackalloc_operator_requires_restarting_the_application"> <source>Modifying {0} which contains the stackalloc operator requires restarting the application.</source> <target state="new">Modifying {0} which contains the stackalloc operator requires restarting the application.</target> <note>{Locked="stackalloc"} "stackalloc" is C# keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_a_catch_finally_handler_with_an_active_statement_in_the_try_block_requires_restarting_the_application"> <source>Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</source> <target state="new">Modifying a catch/finally handler with an active statement in the try block requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_catch_handler_around_an_active_statement_requires_restarting_the_application"> <source>Modifying a catch handler around an active statement requires restarting the application.</source> <target state="new">Modifying a catch handler around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_generic_method_requires_restarting_the_application"> <source>Modifying a generic method requires restarting the application.</source> <target state="new">Modifying a generic method requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_method_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying a method inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying a method inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_a_try_catch_finally_statement_when_the_finally_block_is_active_requires_restarting_the_application"> <source>Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</source> <target state="new">Modifying a try/catch/finally statement when the finally block is active requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_an_active_0_which_contains_On_Error_or_Resume_statements_requires_restarting_the_application"> <source>Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</source> <target state="new">Modifying an active {0} which contains On Error or Resume statements requires restarting the application.</target> <note>{Locked="On Error"}{Locked="Resume"} is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_because_the_body_has_too_many_statements"> <source>Modifying the body of {0} requires restarting the application because the body has too many statements.</source> <target state="new">Modifying the body of {0} requires restarting the application because the body has too many statements.</target> <note /> </trans-unit> <trans-unit id="Modifying_body_of_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying the body of {0} requires restarting the application due to internal error: {1}</source> <target state="new">Modifying the body of {0} requires restarting the application due to internal error: {1}</target> <note>{1} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_because_the_file_is_too_big"> <source>Modifying source file '{0}' requires restarting the application because the file is too big.</source> <target state="new">Modifying source file '{0}' requires restarting the application because the file is too big.</target> <note /> </trans-unit> <trans-unit id="Modifying_source_file_0_requires_restarting_the_application_due_to_internal_error_1"> <source>Modifying source file '{0}' requires restarting the application due to internal error: {1}</source> <target state="new">Modifying source file '{0}' requires restarting the application due to internal error: {1}</target> <note>{2} is a multi-line exception message including a stacktrace. Place it at the end of the message and don't add any punctation after or around {1}</note> </trans-unit> <trans-unit id="Modifying_source_with_experimental_language_features_enabled_requires_restarting_the_application"> <source>Modifying source with experimental language features enabled requires restarting the application.</source> <target state="new">Modifying source with experimental language features enabled requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_the_initializer_of_0_in_a_generic_type_requires_restarting_the_application"> <source>Modifying the initializer of {0} in a generic type requires restarting the application.</source> <target state="new">Modifying the initializer of {0} in a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_0_inside_the_context_of_a_generic_type_requires_restarting_the_application"> <source>Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</source> <target state="new">Modifying whitespace or comments in {0} inside the context of a generic type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Modifying_whitespace_or_comments_in_a_generic_0_requires_restarting_the_application"> <source>Modifying whitespace or comments in a generic {0} requires restarting the application.</source> <target state="new">Modifying whitespace or comments in a generic {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Move_contents_to_namespace"> <source>Move contents to namespace...</source> <target state="translated">Déplacer le contenu vers un espace de noms...</target> <note /> </trans-unit> <trans-unit id="Move_file_to_0"> <source>Move file to '{0}'</source> <target state="translated">Déplacer le fichier vers '{0}'</target> <note /> </trans-unit> <trans-unit id="Move_file_to_project_root_folder"> <source>Move file to project root folder</source> <target state="translated">Déplacer le fichier dans le dossier racine du projet</target> <note /> </trans-unit> <trans-unit id="Move_to_namespace"> <source>Move to namespace...</source> <target state="translated">Déplacer vers un espace de noms...</target> <note /> </trans-unit> <trans-unit id="Moving_0_requires_restarting_the_application"> <source>Moving {0} requires restarting the application.</source> <target state="new">Moving {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Nested_quantifier_0"> <source>Nested quantifier {0}</source> <target state="translated">Quantificateur imbriqué {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: a**. In this case {0} will be '*', the extra unnecessary quantifier.</note> </trans-unit> <trans-unit id="No_common_root_node_for_extraction"> <source>No common root node for extraction.</source> <target state="new">No common root node for extraction.</target> <note /> </trans-unit> <trans-unit id="No_valid_location_to_insert_method_call"> <source>No valid location to insert method call.</source> <target state="translated">Aucun emplacement valide pour l'insertion de l'appel de méthode.</target> <note /> </trans-unit> <trans-unit id="No_valid_selection_to_perform_extraction"> <source>No valid selection to perform extraction.</source> <target state="new">No valid selection to perform extraction.</target> <note /> </trans-unit> <trans-unit id="Not_enough_close_parens"> <source>Not enough )'s</source> <target state="translated">Pas assez de )'s</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (a</note> </trans-unit> <trans-unit id="Operators"> <source>Operators</source> <target state="translated">Opérateurs</target> <note /> </trans-unit> <trans-unit id="Property_reference_cannot_be_updated"> <source>Property reference cannot be updated</source> <target state="translated">La référence de propriété ne peut pas être mise à jour</target> <note /> </trans-unit> <trans-unit id="Pull_0_up"> <source>Pull '{0}' up</source> <target state="translated">Tirer '{0}' vers le haut</target> <note /> </trans-unit> <trans-unit id="Pull_0_up_to_1"> <source>Pull '{0}' up to '{1}'</source> <target state="translated">Tirer '{0}' jusqu'à '{1}'</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_base_type"> <source>Pull members up to base type...</source> <target state="translated">Tirer les membres jusqu'au type de base...</target> <note /> </trans-unit> <trans-unit id="Pull_members_up_to_new_base_class"> <source>Pull member(s) up to new base class...</source> <target state="translated">Tirer (pull) le ou les membres jusqu'à la nouvelle classe de base...</target> <note /> </trans-unit> <trans-unit id="Quantifier_x_y_following_nothing"> <source>Quantifier {x,y} following nothing</source> <target state="translated">Le quantificateur {x,y} ne suit rien</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: *</note> </trans-unit> <trans-unit id="Reference_to_undefined_group"> <source>reference to undefined group</source> <target state="translated">référence à un groupe indéfini</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(1))</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_name_0"> <source>Reference to undefined group name {0}</source> <target state="translated">Référence au nom de groupe indéfini {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \k&lt;a&gt;. Here, {0} will be the name of the undefined group ('a')</note> </trans-unit> <trans-unit id="Reference_to_undefined_group_number_0"> <source>Reference to undefined group number {0}</source> <target state="translated">Référence à un numéro de groupe indéfini {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;-1&gt;). Here, {0} will be the number of the undefined group ('1')</note> </trans-unit> <trans-unit id="Regex_all_control_characters_long"> <source>All control characters. This includes the Cc, Cf, Cs, Co, and Cn categories.</source> <target state="translated">Tous les caractères de contrôle. Cela inclut les catégories Cc, Cf, Cs, Co et Cn.</target> <note /> </trans-unit> <trans-unit id="Regex_all_control_characters_short"> <source>all control characters</source> <target state="translated">tous les caractères de contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_long"> <source>All diacritic marks. This includes the Mn, Mc, and Me categories.</source> <target state="translated">Toutes les marques diacritiques. Cela inclut les catégories Mn, Mc et Me.</target> <note /> </trans-unit> <trans-unit id="Regex_all_diacritic_marks_short"> <source>all diacritic marks</source> <target state="translated">toutes les marques diacritiques</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_long"> <source>All letter characters. This includes the Lu, Ll, Lt, Lm, and Lo characters.</source> <target state="translated">Tous les caractères correspondant à des lettres. Cela inclut les caractères Lu, Ll, Lt, Lm et Lo.</target> <note /> </trans-unit> <trans-unit id="Regex_all_letter_characters_short"> <source>all letter characters</source> <target state="translated">tous les caractères correspondant à des lettres</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_long"> <source>All numbers. This includes the Nd, Nl, and No categories.</source> <target state="translated">Tous les nombres. Cela inclut les catégories Nd, Nl et No.</target> <note /> </trans-unit> <trans-unit id="Regex_all_numbers_short"> <source>all numbers</source> <target state="translated">tous les nombres</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_long"> <source>All punctuation characters. This includes the Pc, Pd, Ps, Pe, Pi, Pf, and Po categories.</source> <target state="translated">Tous les caractères de ponctuation. Cela inclut les catégories Pc, Pd, Ps, Pe, Pi, Pf et Po.</target> <note /> </trans-unit> <trans-unit id="Regex_all_punctuation_characters_short"> <source>all punctuation characters</source> <target state="translated">tous les caractères de ponctuation</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_long"> <source>All separator characters. This includes the Zs, Zl, and Zp categories.</source> <target state="translated">Tous les caractères de séparation. Cela inclut les catégories Zs, Zl et Zp.</target> <note /> </trans-unit> <trans-unit id="Regex_all_separator_characters_short"> <source>all separator characters</source> <target state="translated">tous les caractères de séparation</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_long"> <source>All symbols. This includes the Sm, Sc, Sk, and So categories.</source> <target state="translated">Tous les symboles. Cela inclut les catégories Sm, Sc, Sk et So.</target> <note /> </trans-unit> <trans-unit id="Regex_all_symbols_short"> <source>all symbols</source> <target state="translated">tous les symboles</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_long"> <source>You can use the vertical bar (|) character to match any one of a series of patterns, where the | character separates each pattern.</source> <target state="translated">Vous pouvez utiliser la barre verticale (|) pour faire correspondre une série de modèles, où le caractère | sépare chaque modèle.</target> <note /> </trans-unit> <trans-unit id="Regex_alternation_short"> <source>alternation</source> <target state="translated">alternance</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_long"> <source>The period character (.) matches any character except \n (the newline character, \u000A). If a regular expression pattern is modified by the RegexOptions.Singleline option, or if the portion of the pattern that contains the . character class is modified by the 's' option, . matches any character.</source> <target state="translated">Le point (.) correspond à n'importe quel caractère sauf \n (le caractère nouvelle ligne, \u000A). Si un modèle d'expression régulière est modifié par l'option RegexOptions.Singleline, ou si la partie du modèle qui contient la classe de caractères . est modifiée par l'option 's', le . correspond à n'importe quel caractère.</target> <note /> </trans-unit> <trans-unit id="Regex_any_character_group_short"> <source>any character</source> <target state="translated">tout caractère</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_long"> <source>Atomic groups (known in some other regular expression engines as a nonbacktracking subexpression, an atomic subexpression, or a once-only subexpression) disable backtracking. The regular expression engine will match as many characters in the input string as it can. When no further match is possible, it will not backtrack to attempt alternate pattern matches. (That is, the subexpression matches only strings that would be matched by the subexpression alone; it does not attempt to match a string based on the subexpression and any subexpressions that follow it.) This option is recommended if you know that backtracking will not succeed. Preventing the regular expression engine from performing unnecessary searching improves performance.</source> <target state="translated">Les groupes atomiques (connus dans certains moteurs d'expressions régulières comme des sous-expressions sans retour sur trace, des sous-expressions atomiques ou des sous-expressions une fois uniquement) désactivent le retour sur trace. Le moteur d'expressions régulières recherche une correspondance avec autant de caractères que possible dans la chaîne d'entrée. Quand aucune autre correspondance n'est possible, il n'effectue pas de retour sur trace pour tenter de trouver d'autres correspondances de modèles. (En d'autres termes, la sous-expression correspond uniquement aux chaînes qui correspondent à la sous-expression seule, elle ne tente pas de rechercher une chaîne basée sur la sous-expression et les sous-expressions qui la suivent.) Cette option est recommandée si vous savez que le retour sur trace va être un échec. En empêchant le moteur d'expressions régulières d'effectuer des recherches inutiles, vous améliorez les performances.</target> <note /> </trans-unit> <trans-unit id="Regex_atomic_group_short"> <source>atomic group</source> <target state="translated">groupe atomique</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_long"> <source>Matches a backspace character, \u0008</source> <target state="translated">Correspond au caractère de retour arrière, \u0008</target> <note /> </trans-unit> <trans-unit id="Regex_backspace_character_short"> <source>backspace character</source> <target state="translated">caractère de retour arrière</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_long"> <source>A balancing group definition deletes the definition of a previously defined group and stores, in the current group, the interval between the previously defined group and the current group. 'name1' is the current group (optional), 'name2' is a previously defined group, and 'subexpression' is any valid regular expression pattern. The balancing group definition deletes the definition of name2 and stores the interval between name2 and name1 in name1. If no name2 group is defined, the match backtracks. Because deleting the last definition of name2 reveals the previous definition of name2, this construct lets you use the stack of captures for group name2 as a counter for keeping track of nested constructs such as parentheses or opening and closing brackets. The balancing group definition uses 'name2' as a stack. The beginning character of each nested construct is placed in the group and in its Group.Captures collection. When the closing character is matched, its corresponding opening character is removed from the group, and the Captures collection is decreased by one. After the opening and closing characters of all nested constructs have been matched, 'name1' is empty.</source> <target state="translated">Une définition de groupe d'équilibrage supprime la définition d'un groupe défini et stocke, dans le groupe actuel, l'intervalle entre le groupe défini et le groupe actuel. 'nom1' est le groupe actuel facultatif, 'nom2' est un groupe défini et 'sous-expression' est un modèle d'expression régulière valide. La définition du groupe d'équilibrage supprime la définition de name2 et stocke l'intervalle entre name2 et name1 dans name1. Si aucun groupe name2 n'est défini, la correspondance fait l'objet d'une rétroaction. Dans la mesure où la suppression de la dernière définition de name2 révèle la définition précédente de name2, cette construction vous permet d'utiliser la pile de captures du groupe name2 en tant que compteur permettant d'effectuer le suivi des constructions imbriquées telles que les parenthèses ou les crochets d'ouverture et de fermeture. La définition du groupe d'équilibrage utilise 'nom2' en tant que pile. Le caractère de début de chaque construction imbriquée est placé dans le groupe et dans sa collection Group.Captures. Quand le caractère de fermeture correspond, le caractère d'ouverture correspondant est supprimé du groupe, et la collection Captures est réduite d'un élément. Une fois que les caractères d'ouverture et de fermeture de toutes les constructions imbriquées ont été mis en correspondance, 'nom1' est vide.</target> <note /> </trans-unit> <trans-unit id="Regex_balancing_group_short"> <source>balancing group</source> <target state="translated">groupe d'équilibrage</target> <note /> </trans-unit> <trans-unit id="Regex_base_group"> <source>base-group</source> <target state="translated">groupe de base</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_long"> <source>Matches a bell (alarm) character, \u0007</source> <target state="translated">Correspond au caractère de cloche (alarme), \u0007</target> <note /> </trans-unit> <trans-unit id="Regex_bell_character_short"> <source>bell character</source> <target state="translated">caractère de cloche</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_long"> <source>Matches a carriage-return character, \u000D. Note that \r is not equivalent to the newline character, \n.</source> <target state="translated">Correspond au caractère de retour chariot, \u000D. Notez que \r n'est pas équivalent au caractère nouvelle ligne, \n.</target> <note /> </trans-unit> <trans-unit id="Regex_carriage_return_character_short"> <source>carriage-return character</source> <target state="translated">caractère de retour chariot</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_long"> <source>Character class subtraction yields a set of characters that is the result of excluding the characters in one character class from another character class. 'base_group' is a positive or negative character group or range. The 'excluded_group' component is another positive or negative character group, or another character class subtraction expression (that is, you can nest character class subtraction expressions).</source> <target state="translated">La soustraction d'une classe de caractères génère un jeu de caractères qui résulte de l'exclusion des caractères d'une classe de caractères à partir d'une autre classe de caractères. 'groupe_base' est une plage ou un groupe de caractères positif ou négatif. Le composant 'groupe_exclu' est un autre groupe de caractères positif ou négatif, ou une autre expression de soustraction de classe de caractères (en d'autres termes, vous pouvez imbriquer des expressions de soustraction de classe de caractères).</target> <note /> </trans-unit> <trans-unit id="Regex_character_class_subtraction_short"> <source>character class subtraction</source> <target state="translated">soustraction de classe de caractères</target> <note /> </trans-unit> <trans-unit id="Regex_character_group"> <source>character-group</source> <target state="translated">groupe de caractères</target> <note /> </trans-unit> <trans-unit id="Regex_comment"> <source>comment</source> <target state="translated">commentaire</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_long"> <source>This language element attempts to match one of two patterns depending on whether it can match an initial pattern. 'expression' is the initial pattern to match, 'yes' is the pattern to match if expression is matched, and 'no' is the optional pattern to match if expression is not matched.</source> <target state="translated">Cet élément de langage tente d'établir une correspondance avec l'un des deux modèles, selon qu'il peut correspondre ou non à un modèle initial. 'expression' est le modèle initial à rechercher, 'oui' est le modèle à rechercher si 'expression' retourne une correspondance, et 'non' est le modèle facultatif à rechercher si 'expression' ne retourne aucune correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_expression_match_short"> <source>conditional expression match</source> <target state="translated">correspondance d'expression conditionnelle</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_long"> <source>This language element attempts to match one of two patterns depending on whether it has matched a specified capturing group. 'name' is the name (or number) of a capturing group, 'yes' is the expression to match if 'name' (or 'number') has a match, and 'no' is the optional expression to match if it does not.</source> <target state="translated">Cet élément de langage tente d'établir une correspondance avec l'un des deux modèles, selon qu'il correspond ou non à un groupe de capture spécifié. 'nom' est le nom (ou le numéro) d'un groupe de capture, 'oui' est l'expression à rechercher si 'nom' (ou 'numéro') a une correspondance, et 'non' est l'expression facultative à rechercher dans le cas contraire.</target> <note /> </trans-unit> <trans-unit id="Regex_conditional_group_match_short"> <source>conditional group match</source> <target state="translated">correspondance de groupe conditionnelle</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_long"> <source>The \G anchor specifies that a match must occur at the point where the previous match ended. When you use this anchor with the Regex.Matches or Match.NextMatch method, it ensures that all matches are contiguous.</source> <target state="translated">L'ancre \G spécifie qu'une correspondance doit exister à l'emplacement où la correspondance précédente a pris fin. Quand vous utilisez cette ancre avec la méthode Regex.Matches ou Match.NextMatch, elle vérifie que toutes les correspondances sont contiguës.</target> <note /> </trans-unit> <trans-unit id="Regex_contiguous_matches_short"> <source>contiguous matches</source> <target state="translated">correspondances contiguës</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_long"> <source>Matches an ASCII control character, where X is the letter of the control character. For example, \cC is CTRL-C.</source> <target state="translated">Correspond au caractère de contrôle ASCII, où X est la lettre du caractère de contrôle. Exemple : \cC est CTRL-C.</target> <note /> </trans-unit> <trans-unit id="Regex_control_character_short"> <source>control character</source> <target state="translated">caractère de contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_long"> <source>\d matches any decimal digit. It is equivalent to the \p{Nd} regular expression pattern, which includes the standard decimal digits 0-9 as well as the decimal digits of a number of other character sets. If ECMAScript-compliant behavior is specified, \d is equivalent to [0-9]</source> <target state="translated">\d correspond à n'importe quel chiffre décimal. Il est équivalent au modèle d'expression régulière \p{Nd}, qui inclut les chiffres décimaux standard allant de 0 à 9 ainsi que les chiffres décimaux d'un certain nombre d'autres jeux de caractères. Si vous spécifiez un comportement conforme à ECMAScript, \d équivaut à [0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_decimal_digit_character_short"> <source>decimal-digit character</source> <target state="translated">caractère de chiffre décimal</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_long"> <source>A number sign (#) marks an x-mode comment, which starts at the unescaped # character at the end of the regular expression pattern and continues until the end of the line. To use this construct, you must either enable the x option (through inline options) or supply the RegexOptions.IgnorePatternWhitespace value to the option parameter when instantiating the Regex object or calling a static Regex method.</source> <target state="translated">Le signe dièse (#) marque un commentaire en mode x, qui commence au caractère # sans séquence d'échappement, à la fin du modèle d'expression régulière, et se poursuit jusqu'à la fin de la ligne. Pour utiliser cette construction, vous devez activer l'option x (via les options incluses) ou indiquer la valeur de RegexOptions.IgnorePatternWhitespace au paramètre d'option durant l'instanciation de l'objet Regex ou l'appel d'une méthode Regex statique.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_line_comment_short"> <source>end-of-line comment</source> <target state="translated">commentaire de fin de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_long"> <source>The \z anchor specifies that a match must occur at the end of the input string. Like the $ language element, \z ignores the RegexOptions.Multiline option. Unlike the \Z language element, \z does not match a \n character at the end of a string. Therefore, it can only match the last line of the input string.</source> <target state="translated">L'ancre \z spécifie qu'une correspondance doit exister à la fin de la chaîne d'entrée. Comme l'élément de langage $, \z ignore l'option RegexOptions.Multiline. Contrairement à l'élément de langage \Z, \z ne permet pas de rechercher une correspondance avec un \n caractère situé à la fin d'une chaîne. Il peut donc correspondre uniquement à la dernière ligne de la chaîne d'entrée.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_only_short"> <source>end of string only</source> <target state="translated">fin de chaîne uniquement</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_long"> <source>The \Z anchor specifies that a match must occur at the end of the input string, or before \n at the end of the input string. It is identical to the $ anchor, except that \Z ignores the RegexOptions.Multiline option. Therefore, in a multiline string, it can only match the end of the last line, or the last line before \n. The \Z anchor matches \n but does not match \r\n (the CR/LF character combination). To match CR/LF, include \r?\Z in the regular expression pattern.</source> <target state="translated">L'ancre \Z spécifie qu'une correspondance doit exister à la fin de la chaîne d'entrée ou avant \n à la fin de la chaîne d'entrée. Elle est identique à l'ancre $, à ceci près que \Z ignore l'option RegexOptions.Multiline. Ainsi, dans une chaîne multiligne, elle peut correspondre uniquement à la fin de la dernière ligne, ou à la dernière ligne située avant \n. L'ancre \Z correspond à \n mais ne correspond pas à \r\n (combinaison de caractères CR/LF). Pour rechercher une correspondance avec CR/LF, ajoutez \r?\Z au modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_before_ending_newline_short"> <source>end of string or before ending newline</source> <target state="translated">fin de chaîne ou avant la fin d'une nouvelle ligne</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_long"> <source>The $ anchor specifies that the preceding pattern must occur at the end of the input string, or before \n at the end of the input string. If you use $ with the RegexOptions.Multiline option, the match can also occur at the end of a line. The $ anchor matches \n but does not match \r\n (the combination of carriage return and newline characters, or CR/LF). To match the CR/LF character combination, include \r?$ in the regular expression pattern.</source> <target state="translated">L'ancre $ spécifie que le modèle précédent doit exister à la fin de la chaîne d'entrée ou avant \n à la fin de la chaîne d'entrée. Si vous utilisez $ avec l'option RegexOptions.Multiline, la correspondance peut également exister à la fin d'une ligne. L'ancre $ correspond à \n mais ne correspond pas à \r\n (combinaison de caractères de retour chariot et nouvelle ligne, c'est-à-dire CR/LF). Pour rechercher une correspondance avec la combinaison de caractères CR/LF, ajoutez \r?$ au modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_end_of_string_or_line_short"> <source>end of string or line</source> <target state="translated">fin de chaîne ou de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_long"> <source>Matches an escape character, \u001B</source> <target state="translated">Correspond au caractère d'échappement, \u001B</target> <note /> </trans-unit> <trans-unit id="Regex_escape_character_short"> <source>escape character</source> <target state="translated">caractère d'échappement</target> <note /> </trans-unit> <trans-unit id="Regex_excluded_group"> <source>excluded-group</source> <target state="translated">groupe exclu</target> <note /> </trans-unit> <trans-unit id="Regex_expression"> <source>expression</source> <target state="translated">expression</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_long"> <source>Matches a form-feed character, \u000C</source> <target state="translated">Correspond au caractère de saut de page, \u000C</target> <note /> </trans-unit> <trans-unit id="Regex_form_feed_character_short"> <source>form-feed character</source> <target state="translated">caractère de saut de page</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_long"> <source>This grouping construct applies or disables the specified options within a subexpression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Cette construction de regroupement applique ou désactive les options spécifiées dans une sous-expression. Les options à activer sont spécifiées après le point d'interrogation, et les options à désactiver après le signe moins. Les options autorisées sont les suivantes : i Utilise la correspondance sans respect de la casse. m Utilise le mode multiligne, où ^ et $ correspondent au début et à la fin de chaque ligne (au lieu du début et de la fin de la chaîne d'entrée). s Utilise le mode monoligne, où le point (.) correspond à chaque caractère (au lieu de chaque caractère sauf \n). n Ne capture pas les groupes sans nom. Les seules captures valides sont des groupes explicitement nommés ou numérotés ayant la forme (?&lt;nom&gt; sous-expression). x Exclut les espaces blancs sans séquence d'échappement du modèle, et active les commentaires après un signe dièse (#).</target> <note /> </trans-unit> <trans-unit id="Regex_group_options_short"> <source>group options</source> <target state="translated">options de groupe</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_long"> <source>Matches an ASCII character, where ## is a two-digit hexadecimal character code.</source> <target state="translated">Correspond à un caractère ASCII, où ## est un code de caractère hexadécimal à deux chiffres.</target> <note /> </trans-unit> <trans-unit id="Regex_hexadecimal_escape_short"> <source>hexadecimal escape</source> <target state="translated">échappement hexadécimal</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_long"> <source>The (?# comment) construct lets you include an inline comment in a regular expression. The regular expression engine does not use any part of the comment in pattern matching, although the comment is included in the string that is returned by the Regex.ToString method. The comment ends at the first closing parenthesis.</source> <target state="translated">La construction (?# commentaire) vous permet d'inclure un commentaire dans une expression régulière. Le moteur d'expressions régulières n'utilise aucune partie du commentaire dans les critères spéciaux, bien que le commentaire soit inclus dans la chaîne retournée par la méthode Regex.ToString. Le commentaire finit à la première parenthèse fermante.</target> <note /> </trans-unit> <trans-unit id="Regex_inline_comment_short"> <source>inline comment</source> <target state="translated">commentaire inclus</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_long"> <source>Enables or disables specific pattern matching options for the remainder of a regular expression. The options to enable are specified after the question mark, and the options to disable after the minus sign. The allowed options are: i Use case-insensitive matching. m Use multiline mode, where ^ and $ match the beginning and end of each line (instead of the beginning and end of the input string). s Use single-line mode, where the period (.) matches every character (instead of every character except \n). n Do not capture unnamed groups. The only valid captures are explicitly named or numbered groups of the form (?&lt;name&gt; subexpression). x Exclude unescaped white space from the pattern, and enable comments after a number sign (#).</source> <target state="translated">Active ou désactive des options de critères spéciaux spécifiques pour le reste d'une expression régulière. Les options à activer sont spécifiées après le point d'interrogation, et les options à désactiver après le signe moins. Les options autorisées sont les suivantes : i Utilise la correspondance sans respect de la casse. m Utilise le mode multiligne, où ^ et $ correspondent au début et à la fin de chaque ligne (au lieu du début et de la fin de la chaîne d'entrée). s Utilise le mode monoligne, où le point (.) correspond à chaque caractère (au lieu de chaque caractère sauf \n). n Ne capture pas les groupes sans nom. Les seules captures valides sont des groupes explicitement nommés ou numérotés ayant la forme (?&lt;nom&gt; sous-expression). x Exclut les espaces blancs sans séquence d'échappement du modèle, et active les commentaires après un signe dièse (#).</target> <note /> </trans-unit> <trans-unit id="Regex_inline_options_short"> <source>inline options</source> <target state="translated">options incluses</target> <note /> </trans-unit> <trans-unit id="Regex_issue_0"> <source>Regex issue: {0}</source> <target state="translated">Problème de regex : {0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. {0} will be the actual text of one of the above Regular Expression errors.</note> </trans-unit> <trans-unit id="Regex_letter_lowercase"> <source>letter, lowercase</source> <target state="translated">lettre, minuscule</target> <note /> </trans-unit> <trans-unit id="Regex_letter_modifier"> <source>letter, modifier</source> <target state="translated">lettre, modificateur</target> <note /> </trans-unit> <trans-unit id="Regex_letter_other"> <source>letter, other</source> <target state="translated">lettre, autre</target> <note /> </trans-unit> <trans-unit id="Regex_letter_titlecase"> <source>letter, titlecase</source> <target state="translated">lettre, première lettre des mots en majuscule</target> <note /> </trans-unit> <trans-unit id="Regex_letter_uppercase"> <source>letter, uppercase</source> <target state="translated">lettre, majuscule</target> <note /> </trans-unit> <trans-unit id="Regex_mark_enclosing"> <source>mark, enclosing</source> <target state="translated">marque, englobante</target> <note /> </trans-unit> <trans-unit id="Regex_mark_nonspacing"> <source>mark, nonspacing</source> <target state="translated">marque, sans espacement</target> <note /> </trans-unit> <trans-unit id="Regex_mark_spacing_combining"> <source>mark, spacing combining</source> <target state="translated">marque, espacement combiné</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_long"> <source>The {n,}? quantifier matches the preceding element at least n times, where n is any integer, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,}</source> <target state="translated">Le quantificateur {n,}? recherche une correspondance avec l'élément précédent au moins n fois, où n est un entier, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n,}</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">rechercher une correspondance au moins 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_long"> <source>The {n,} quantifier matches the preceding element at least n times, where n is any integer. {n,} is a greedy quantifier whose lazy equivalent is {n,}?</source> <target state="translated">Le quantificateur {n,} recherche une correspondance avec l'élément précédent au moins n fois, où n est un entier. {n,} est un quantificateur gourmand dont l'équivalent paresseux est {n,}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_at_least_n_times_short"> <source>match at least 'n' times</source> <target state="translated">rechercher une correspondance au moins 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_long"> <source>The {n,m}? quantifier matches the preceding element between n and m times, where n and m are integers, but as few times as possible. It is the lazy counterpart of the greedy quantifier {n,m}</source> <target state="translated">Le quantificateur {n,m}? recherche une correspondance avec l'élément précédent entre n et m fois, où n et m sont des entiers, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n,m}</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_lazy_short"> <source>match at least 'n' times (lazy)</source> <target state="translated">rechercher une correspondance au moins 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_long"> <source>The {n,m} quantifier matches the preceding element at least n times, but no more than m times, where n and m are integers. {n,m} is a greedy quantifier whose lazy equivalent is {n,m}?</source> <target state="translated">Le quantificateur {n,m} correspond à l'élément précédent au moins n fois, mais pas plus de m fois, où n et m sont des entiers. {n,m} est un quantificateur gourmand dont l'équivalent paresseux est {n,m}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_between_m_and_n_times_short"> <source>match between 'm' and 'n' times</source> <target state="translated">rechercher une correspondance entre 'm' et 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_long"> <source>The {n}? quantifier matches the preceding element exactly n times, where n is any integer. It is the lazy counterpart of the greedy quantifier {n}+</source> <target state="translated">Le quantificateur {n}? recherche une correspondance avec l'élément précédent exactement n fois, où n est un entier. Il s'agit de l'équivalent paresseux du quantificateur gourmand {n}+</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_lazy_short"> <source>match exactly 'n' times (lazy)</source> <target state="translated">rechercher une correspondance exactement 'n' fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_long"> <source>The {n} quantifier matches the preceding element exactly n times, where n is any integer. {n} is a greedy quantifier whose lazy equivalent is {n}?</source> <target state="translated">Le quantificateur {n} recherche une correspondance avec l'élément précédent exactement n fois, où n est un entier. {n} est un quantificateur gourmand dont l'équivalent paresseux est {n}?</target> <note /> </trans-unit> <trans-unit id="Regex_match_exactly_n_times_short"> <source>match exactly 'n' times</source> <target state="translated">rechercher une correspondance exactement 'n' fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_long"> <source>The +? quantifier matches the preceding element one or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier +</source> <target state="translated">Le quantificateur recherche une correspondance avec l'élément précédent, une ou plusieurs fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand +</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_lazy_short"> <source>match one or more times (lazy)</source> <target state="translated">rechercher une correspondance une ou plusieurs fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_long"> <source>The + quantifier matches the preceding element one or more times. It is equivalent to the {1,} quantifier. + is a greedy quantifier whose lazy equivalent is +?.</source> <target state="translated">Le quantificateur + recherche une correspondance avec l'élément précédent, une ou plusieurs fois. Il est équivalent au quantificateur {1,}. + est un quantificateur gourmand dont l'équivalent paresseux est +?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_one_or_more_times_short"> <source>match one or more times</source> <target state="translated">rechercher une correspondance une ou plusieurs fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_long"> <source>The *? quantifier matches the preceding element zero or more times, but as few times as possible. It is the lazy counterpart of the greedy quantifier *</source> <target state="translated">Le quantificateur *? recherche une correspondance avec l'élément précédent, zéro ou plusieurs fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand *</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_lazy_short"> <source>match zero or more times (lazy)</source> <target state="translated">rechercher une correspondance zéro ou plusieurs fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_long"> <source>The * quantifier matches the preceding element zero or more times. It is equivalent to the {0,} quantifier. * is a greedy quantifier whose lazy equivalent is *?.</source> <target state="translated">Le quantificateur * recherche une correspondance avec l'élément précédent, zéro ou plusieurs fois. Il est équivalent au quantificateur {0,}. * est un quantificateur gourmand dont l'équivalent paresseux est *?.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_more_times_short"> <source>match zero or more times</source> <target state="translated">rechercher une correspondance zéro ou plusieurs fois</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_long"> <source>The ?? quantifier matches the preceding element zero or one time, but as few times as possible. It is the lazy counterpart of the greedy quantifier ?</source> <target state="translated">Le quantificateur ?? recherche une correspondance avec l'élément précédent, zéro ou une fois, mais de manière aussi limitée possible. Il s'agit de l'équivalent paresseux du quantificateur gourmand ?</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_lazy_short"> <source>match zero or one time (lazy)</source> <target state="translated">rechercher une correspondance zéro ou une fois (paresseux)</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_long"> <source>The ? quantifier matches the preceding element zero or one time. It is equivalent to the {0,1} quantifier. ? is a greedy quantifier whose lazy equivalent is ??.</source> <target state="translated">Le quantificateur ? recherche une correspondance avec l'élément précédent, zéro ou une fois. Il est équivalent au quantificateur {0,1}. ? est un quantificateur gourmand dont l'équivalent paresseux est ??.</target> <note /> </trans-unit> <trans-unit id="Regex_match_zero_or_one_time_short"> <source>match zero or one time</source> <target state="translated">rechercher une correspondance zéro ou une fois</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_long"> <source>This grouping construct captures a matched 'subexpression', where 'subexpression' is any valid regular expression pattern. Captures that use parentheses are numbered automatically from left to right based on the order of the opening parentheses in the regular expression, starting from one. The capture that is numbered zero is the text matched by the entire regular expression pattern.</source> <target state="translated">Cette construction de regroupement capture une 'sous-expression' correspondante, où 'sous-expression' représente un modèle d'expression régulière valide. Les captures qui utilisent des parenthèses sont numérotées automatiquement de gauche à droite en fonction de l'ordre des parenthèses ouvrantes dans l'expression régulière, à partir de l'une d'entre elles. La capture numérotée zéro représente le texte correspondant à l'intégralité du modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_matched_subexpression_short"> <source>matched subexpression</source> <target state="translated">sous-expression correspondante</target> <note /> </trans-unit> <trans-unit id="Regex_name"> <source>name</source> <target state="translated">nom</target> <note /> </trans-unit> <trans-unit id="Regex_name1"> <source>name1</source> <target state="translated">nom1</target> <note /> </trans-unit> <trans-unit id="Regex_name2"> <source>name2</source> <target state="translated">nom2</target> <note /> </trans-unit> <trans-unit id="Regex_name_or_number"> <source>name-or-number</source> <target state="translated">nom-ou-numéro</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_long"> <source>A named or numbered backreference. 'name' is the name of a capturing group defined in the regular expression pattern.</source> <target state="translated">Référence arrière nommée ou numérotée. 'nom' est le nom d'un groupe de capture défini dans le modèle d'expression régulière.</target> <note /> </trans-unit> <trans-unit id="Regex_named_backreference_short"> <source>named backreference</source> <target state="translated">référence arrière nommée</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_long"> <source>Captures a matched subexpression and lets you access it by name or by number. 'name' is a valid group name, and 'subexpression' is any valid regular expression pattern. 'name' must not contain any punctuation characters and cannot begin with a number. If the RegexOptions parameter of a regular expression pattern matching method includes the RegexOptions.ExplicitCapture flag, or if the n option is applied to this subexpression, the only way to capture a subexpression is to explicitly name capturing groups.</source> <target state="translated">Capture une sous-expression correspondante et vous permet d'y accéder par le nom ou le numéro. 'nom' est un nom de groupe valide, et 'sous-expression' est un modèle d'expression régulière valide. 'nom' ne doit contenir aucun caractère de ponctuation et ne peut pas commencer par un chiffre. Si le paramètre RegexOptions d'une méthode de critères spéciaux d'expression régulière inclut l'indicateur RegexOptions.ExplicitCapture, ou si l'option n est appliquée à cette sous-expression, le seul moyen de capturer une sous-expression est de nommer explicitement les groupes de capture.</target> <note /> </trans-unit> <trans-unit id="Regex_named_matched_subexpression_short"> <source>named matched subexpression</source> <target state="translated">sous-expression correspondante nommée</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_long"> <source>A negative character group specifies a list of characters that must not appear in an input string for a match to occur. The list of characters are specified individually. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Un groupe de caractères négatif spécifie une liste de caractères qui doivent être absents d'une chaîne d'entrée pour produire une correspondance. La liste des caractères est spécifiée individuellement. Vous pouvez concaténer au moins deux plages de caractères. Par exemple, pour spécifier la plage de chiffres décimaux allant de "0" à "9", la plage de lettres minuscules allant de "a" à "f" et la plage de lettres majuscules allant de "A" à "F", utilisez [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_group_short"> <source>negative character group</source> <target state="translated">groupe de caractères négatif</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_long"> <source>A negative character range specifies a list of characters that must not appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range, and 'lastCharacter' is the character that ends the range. Two or more character ranges can be concatenated. For example, to specify the range of decimal digits from "0" through "9", the range of lowercase letters from "a" through "f", and the range of uppercase letters from "A" through "F", use [0-9a-fA-F].</source> <target state="translated">Une plage de caractères négative spécifie une liste de caractères qui doivent être absents d'une chaîne d'entrée pour produire une correspondance. 'firstCharacter' est le caractère de début de plage, et 'lastCharacter' est le caractère de fin de plage. Vous pouvez concaténer au moins deux plages de caractères. Par exemple, pour spécifier la plage de chiffres décimaux allant de "0" à "9", la plage de lettres minuscules allant de "a" à "f" et la plage de lettres majuscules allant de "A" à "F", utilisez [0-9a-fA-F].</target> <note /> </trans-unit> <trans-unit id="Regex_negative_character_range_short"> <source>negative character range</source> <target state="translated">plage de caractères négative</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_long"> <source>The regular expression construct \P{ name } matches any character that does not belong to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construction d'expression régulière \P{ nom } correspond aux caractères qui n'appartiennent pas à une catégorie générale Unicode ou à un bloc nommé, nom étant l'abréviation de la catégorie ou le nom du bloc nommé.</target> <note /> </trans-unit> <trans-unit id="Regex_negative_unicode_category_short"> <source>negative unicode category</source> <target state="translated">catégorie Unicode négative</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_long"> <source>Matches a new-line character, \u000A</source> <target state="translated">Correspond au caractère de nouvelle ligne, \u000A</target> <note /> </trans-unit> <trans-unit id="Regex_new_line_character_short"> <source>new-line character</source> <target state="translated">caractère de nouvelle ligne</target> <note /> </trans-unit> <trans-unit id="Regex_no"> <source>no</source> <target state="translated">non</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_long"> <source>\D matches any non-digit character. It is equivalent to the \P{Nd} regular expression pattern. If ECMAScript-compliant behavior is specified, \D is equivalent to [^0-9]</source> <target state="translated">\D correspond à n'importe quel caractère non numérique. Il est équivalent au modèle d'expression régulière \P{Nd}. Si vous spécifiez un comportement conforme à ECMAScript, \D équivaut à [^0-9]</target> <note /> </trans-unit> <trans-unit id="Regex_non_digit_character_short"> <source>non-digit character</source> <target state="translated">caractère non numérique</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_long"> <source>\S matches any non-white-space character. It is equivalent to the [^\f\n\r\t\v\x85\p{Z}] regular expression pattern, or the opposite of the regular expression pattern that is equivalent to \s, which matches white-space characters. If ECMAScript-compliant behavior is specified, \S is equivalent to [^ \f\n\r\t\v]</source> <target state="translated">\S correspond à tout caractère autre qu'un espace blanc. Il est équivalent au modèle d'expression régulière [^\f\n\r\t\v\x85\p{Z}], ou à l'inverse du modèle d'expression régulière équivalent à \s, qui correspond aux espaces blancs. Si vous spécifiez un comportement conforme à ECMAScript, \S équivaut à [^ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_non_white_space_character_short"> <source>non-white-space character</source> <target state="translated">caractère autre qu'un espace blanc</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_long"> <source>The \B anchor specifies that the match must not occur on a word boundary. It is the opposite of the \b anchor.</source> <target state="translated">L'ancre \B spécifie que la correspondance ne doit pas être effectuée sur une limite de mot. Il s'agit du contraire de l'ancre \b.</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_boundary_short"> <source>non-word boundary</source> <target state="translated">limite de non-mot</target> <note /> </trans-unit> <trans-unit id="Regex_non_word_character_long"> <source>\W matches any non-word character. It matches any character except for those in the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \W is equivalent to [^a-zA-Z_0-9]</source> <target state="translated">\W correspond à un caractère de non-mot. Il correspond à n'importe quel caractère à l'exception de ceux des catégories Unicode suivantes : Ll Lettre, Minuscule Lu Lettre, Majuscule Lt Lettre, Première lettre des mots en majuscule Lo Lettre, Autre Lm Lettre, Modificateur Mn Marque, Sans espacement Nd Nombre, Chiffre décimal Pc Ponctuation, Connecteur Si vous spécifiez un comportement conforme à ECMAScript, \W équivaut à [^a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized. </note> </trans-unit> <trans-unit id="Regex_non_word_character_short"> <source>non-word character</source> <target state="translated">caractère de non-mot</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_long"> <source>This construct does not capture the substring that is matched by a subexpression: The noncapturing group construct is typically used when a quantifier is applied to a group, but the substrings captured by the group are of no interest. If a regular expression includes nested grouping constructs, an outer noncapturing group construct does not apply to the inner nested group constructs.</source> <target state="translated">Cette construction ne capture pas la sous-chaîne correspondant à une sous-expression : La construction de groupe sans capture est généralement utilisée quand un quantificateur est appliqué à un groupe, mais que les sous-chaînes capturées par le groupe ne présentent pas d'intérêt. Si une expression régulière inclut des constructions de regroupement imbriqué, une construction de groupe sans capture externe ne s'applique pas aux constructions de groupes imbriqués internes.</target> <note /> </trans-unit> <trans-unit id="Regex_noncapturing_group_short"> <source>noncapturing group</source> <target state="translated">groupe sans capture</target> <note /> </trans-unit> <trans-unit id="Regex_number_decimal_digit"> <source>number, decimal digit</source> <target state="translated">nombre, chiffre décimal</target> <note /> </trans-unit> <trans-unit id="Regex_number_letter"> <source>number, letter</source> <target state="translated">nombre, lettre</target> <note /> </trans-unit> <trans-unit id="Regex_number_other"> <source>number, other</source> <target state="translated">nombre, autre</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_long"> <source>A numbered backreference, where 'number' is the ordinal position of the capturing group in the regular expression. For example, \4 matches the contents of the fourth capturing group. There is an ambiguity between octal escape codes (such as \16) and \number backreferences that use the same notation. If the ambiguity is a problem, you can use the \k&lt;name&gt; notation, which is unambiguous and cannot be confused with octal character codes. Similarly, hexadecimal codes such as \xdd are unambiguous and cannot be confused with backreferences.</source> <target state="translated">Référence arrière numérotée, où 'nombre' représente la position ordinale du groupe de capture dans l'expression régulière. Par exemple, \4 correspond au contenu du quatrième groupe de capture. Il existe une ambiguïté entre les codes d'échappement octaux (par exemple \16) et les références arrière \nnumérotées qui utilisent la même notation. Si l'ambiguïté pose un problème, vous pouvez utiliser la notation \k&lt;nom&gt;, qui est plus claire et qui ne peut pas être confondue avec les codes de caractère octaux. De même, les codes hexadécimaux tels que \xdd ne sont pas ambigus et ne peuvent pas être confondus avec les références arrière.</target> <note /> </trans-unit> <trans-unit id="Regex_numbered_backreference_short"> <source>numbered backreference</source> <target state="translated">référence arrière numérotée</target> <note /> </trans-unit> <trans-unit id="Regex_other_control"> <source>other, control</source> <target state="translated">autre, contrôle</target> <note /> </trans-unit> <trans-unit id="Regex_other_format"> <source>other, format</source> <target state="translated">autre, format</target> <note /> </trans-unit> <trans-unit id="Regex_other_not_assigned"> <source>other, not assigned</source> <target state="translated">autre, non affecté</target> <note /> </trans-unit> <trans-unit id="Regex_other_private_use"> <source>other, private use</source> <target state="translated">autre, usage privé</target> <note /> </trans-unit> <trans-unit id="Regex_other_surrogate"> <source>other, surrogate</source> <target state="translated">autre, substitution</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_long"> <source>A positive character group specifies a list of characters, any one of which may appear in an input string for a match to occur.</source> <target state="translated">Un groupe de caractères positif spécifie une liste de caractères, dont l'un d'entre eux peut apparaître dans une chaîne d'entrée pour produire une correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_group_short"> <source>positive character group</source> <target state="translated">groupe de caractères positif</target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_long"> <source>A positive character range specifies a range of characters, any one of which may appear in an input string for a match to occur. 'firstCharacter' is the character that begins the range and 'lastCharacter' is the character that ends the range. </source> <target state="translated">Une plage de caractères positive spécifie une plage de caractères, dont l'un d'entre eux peut apparaître dans une chaîne d'entrée pour produire une correspondance. 'firstCharacter' est le caractère de début de plage, et 'lastCharacter' est le caractère de fin de plage. </target> <note /> </trans-unit> <trans-unit id="Regex_positive_character_range_short"> <source>positive character range</source> <target state="translated">plage de caractères positive</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_close"> <source>punctuation, close</source> <target state="translated">ponctuation, fermeture</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_connector"> <source>punctuation, connector</source> <target state="translated">ponctuation, connecteur</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_dash"> <source>punctuation, dash</source> <target state="translated">ponctuation, tiret</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_final_quote"> <source>punctuation, final quote</source> <target state="translated">ponctuation, guillemet final</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_initial_quote"> <source>punctuation, initial quote</source> <target state="translated">ponctuation, guillemet initial</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_open"> <source>punctuation, open</source> <target state="translated">ponctuation, ouverture</target> <note /> </trans-unit> <trans-unit id="Regex_punctuation_other"> <source>punctuation, other</source> <target state="translated">ponctuation, autre</target> <note /> </trans-unit> <trans-unit id="Regex_separator_line"> <source>separator, line</source> <target state="translated">séparateur, ligne</target> <note /> </trans-unit> <trans-unit id="Regex_separator_paragraph"> <source>separator, paragraph</source> <target state="translated">séparateur, paragraphe</target> <note /> </trans-unit> <trans-unit id="Regex_separator_space"> <source>separator, space</source> <target state="translated">séparateur, espace</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_long"> <source>The \A anchor specifies that a match must occur at the beginning of the input string. It is identical to the ^ anchor, except that \A ignores the RegexOptions.Multiline option. Therefore, it can only match the start of the first line in a multiline input string.</source> <target state="translated">L'ancre \A spécifie qu'une correspondance doit exister au début de la chaîne d'entrée. Elle est identique à l'ancre ^, à ceci près que \A ignore l'option RegexOptions.Multiline. Ainsi, elle correspond uniquement au début de la première ligne d'une chaîne d'entrée multiligne.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_only_short"> <source>start of string only</source> <target state="translated">début de chaîne uniquement</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_long"> <source>The ^ anchor specifies that the following pattern must begin at the first character position of the string. If you use ^ with the RegexOptions.Multiline option, the match must occur at the beginning of each line.</source> <target state="translated">L'ancre ^ spécifie que le modèle suivant doit commencer à la position du premier caractère de la chaîne. Si vous utilisez ^ avec l'option RegexOptions.Multiline, la correspondance doit exister au début de chaque ligne.</target> <note /> </trans-unit> <trans-unit id="Regex_start_of_string_or_line_short"> <source>start of string or line</source> <target state="translated">début de chaîne ou de ligne</target> <note /> </trans-unit> <trans-unit id="Regex_subexpression"> <source>subexpression</source> <target state="translated">sous-expression</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_currency"> <source>symbol, currency</source> <target state="translated">symbole, devise</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_math"> <source>symbol, math</source> <target state="translated">symbole, math</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_modifier"> <source>symbol, modifier</source> <target state="translated">symbole, modificateur</target> <note /> </trans-unit> <trans-unit id="Regex_symbol_other"> <source>symbol, other</source> <target state="translated">symbole, autre</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_long"> <source>Matches a tab character, \u0009</source> <target state="translated">Correspond au caractère de tabulation, \u0009</target> <note /> </trans-unit> <trans-unit id="Regex_tab_character_short"> <source>tab character</source> <target state="translated">caractère de tabulation</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_long"> <source>The regular expression construct \p{ name } matches any character that belongs to a Unicode general category or named block, where name is the category abbreviation or named block name.</source> <target state="translated">La construction d'expression régulière \p{ nom } correspond aux caractères qui appartiennent à une catégorie générale Unicode ou à un bloc nommé, nom étant l'abréviation de la catégorie ou le nom du bloc nommé.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_category_short"> <source>unicode category</source> <target state="translated">catégorie Unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_long"> <source>Matches a UTF-16 code unit whose value is #### hexadecimal.</source> <target state="translated">Correspond à une unité de code UTF-16 dont la valeur est au format hexadécimal ####.</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_escape_short"> <source>unicode escape</source> <target state="translated">échappement Unicode</target> <note /> </trans-unit> <trans-unit id="Regex_unicode_general_category_0"> <source>Unicode General Category: {0}</source> <target state="translated">Catégorie générale Unicode : {0}</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_long"> <source>Matches a vertical-tab character, \u000B</source> <target state="translated">Correspond au caractère de tabulation verticale, \u000B</target> <note /> </trans-unit> <trans-unit id="Regex_vertical_tab_character_short"> <source>vertical-tab character</source> <target state="translated">caractère de tabulation verticale</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_long"> <source>\s matches any white-space character. It is equivalent to the following escape sequences and Unicode categories: \f The form feed character, \u000C \n The newline character, \u000A \r The carriage return character, \u000D \t The tab character, \u0009 \v The vertical tab character, \u000B \x85 The ellipsis or NEXT LINE (NEL) character (…), \u0085 \p{Z} Matches any separator character If ECMAScript-compliant behavior is specified, \s is equivalent to [ \f\n\r\t\v]</source> <target state="translated">\s correspond à un caractère représentant un espace blanc. Il équivaut aux séquences d'échappement et aux catégories Unicode suivantes : \f Caractère de saut de page, \u000C \n Caractère nouvelle ligne, \u000A \r Caractère de retour chariot, \u000D \t Caractère de tabulation, \u0009 \v Caractère de tabulation verticale, \u000B \x85 Caractère des points de suspension ou NEL (NEXT LINE) (…), \u0085 \p{Z} Correspond à un caractère de séparation Si vous spécifiez un comportement conforme à ECMAScript, \s équivaut à [ \f\n\r\t\v]</target> <note /> </trans-unit> <trans-unit id="Regex_white_space_character_short"> <source>white-space character</source> <target state="translated">caractère d'espace blanc</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_long"> <source>The \b anchor specifies that the match must occur on a boundary between a word character (the \w language element) and a non-word character (the \W language element). Word characters consist of alphanumeric characters and underscores; a non-word character is any character that is not alphanumeric or an underscore. The match may also occur on a word boundary at the beginning or end of the string. The \b anchor is frequently used to ensure that a subexpression matches an entire word instead of just the beginning or end of a word.</source> <target state="translated">L'ancre \b spécifie que la correspondance doit se trouver à la limite située entre un caractère de mot (élément de langage \w) et un caractère de non-mot (élément de langage \W). Les caractères de mots sont constitués de caractères alphanumériques et de traits de soulignement. Un caractère de non-mot est un caractère qui n'est pas alphanumérique ou qui n'est pas un trait de soulignement. La correspondance peut également se produire à une limite de mot, au début ou à la fin de la chaîne. L'ancre \b est fréquemment utilisée pour vérifier qu'une sous-expression correspond à un mot entier, et non simplement au début ou à la fin d'un mot.</target> <note /> </trans-unit> <trans-unit id="Regex_word_boundary_short"> <source>word boundary</source> <target state="translated">limite de mot</target> <note /> </trans-unit> <trans-unit id="Regex_word_character_long"> <source>\w matches any word character. A word character is a member of any of the following Unicode categories: Ll Letter, Lowercase Lu Letter, Uppercase Lt Letter, Titlecase Lo Letter, Other Lm Letter, Modifier Mn Mark, Nonspacing Nd Number, Decimal Digit Pc Punctuation, Connector If ECMAScript-compliant behavior is specified, \w is equivalent to [a-zA-Z_0-9]</source> <target state="translated">\w correspond à n'importe quel caractère de mot. Un caractère de mot appartient à l'une des catégories Unicode suivantes : Ll Lettre, Minuscule Lu Lettre, Majuscule Lt Lettre, Première lettre des mots en majuscule Lo Lettre, Autre Lm Lettre, Modificateur Mn Marque, Sans espacement Nd Nombre, Chiffre décimal Pc Ponctuation, Connecteur Si vous spécifiez un comportement conforme à ECMAScript, \w équivaut à [a-zA-Z_0-9]</target> <note>Note: Ll, Lu, Lt, Lo, Lm, Mn, Nd, and Pc are all things that should not be localized.</note> </trans-unit> <trans-unit id="Regex_word_character_short"> <source>word character</source> <target state="translated">caractère de mot</target> <note /> </trans-unit> <trans-unit id="Regex_yes"> <source>yes</source> <target state="translated">oui</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_long"> <source>A zero-width negative lookahead assertion, where for the match to be successful, the input string must not match the regular expression pattern in subexpression. The matched string is not included in the match result. A zero-width negative lookahead assertion is typically used either at the beginning or at the end of a regular expression. At the beginning of a regular expression, it can define a specific pattern that should not be matched when the beginning of the regular expression defines a similar but more general pattern to be matched. In this case, it is often used to limit backtracking. At the end of a regular expression, it can define a subexpression that cannot occur at the end of a match.</source> <target state="translated">Assertion avant négative de largeur nulle, où, pour que la correspondance soit réussie, la chaîne d'entrée ne doit pas correspondre au modèle d'expression régulière de la sous-expression. La chaîne correspondante n'est pas incluse dans le résultat de la correspondance. Une assertion avant négative de largeur nulle est généralement utilisée au début ou à la fin d'une expression régulière. Au début d'une expression régulière, elle peut définir un modèle spécifique à ne pas mettre en correspondance quand le début de l'expression régulière définit un modèle similaire, mais plus général, à mettre en correspondance. Dans ce cas, elle est souvent utilisée pour limiter le retour sur trace. À la fin d'une expression régulière, elle peut définir une sous-expression qui ne peut pas se produire à la fin d'une correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookahead_assertion_short"> <source>zero-width negative lookahead assertion</source> <target state="translated">assertion avant négative de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_long"> <source>A zero-width negative lookbehind assertion, where for a match to be successful, 'subexpression' must not occur at the input string to the left of the current position. Any substring that does not match 'subexpression' is not included in the match result. Zero-width negative lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define precludes a match in the string that follows. They are also used to limit backtracking when the last character or characters in a captured group must not be one or more of the characters that match that group's regular expression pattern.</source> <target state="translated">Assertion arrière négative de largeur nulle, où, pour qu'une correspondance soit réussie, la 'sous-expression' ne doit pas apparaître dans la chaîne d'entrée à gauche de la position actuelle. Les sous-chaînes qui ne correspondent pas à la 'sous-expression' ne sont pas incluses dans le résultat de la correspondance. Les assertions arrière négatives de largeur nulle sont généralement utilisées au début des expressions régulières. Le modèle qu'elles définissent empêche toute correspondance dans la chaîne qui suit. Elles sont également utilisées pour limiter le retour sur trace quand le ou les derniers caractères d'un groupe capturé ne doivent pas représenter un ou plusieurs des caractères qui correspondent au modèle d'expression régulière de ce groupe.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_negative_lookbehind_assertion_short"> <source>zero-width negative lookbehind assertion</source> <target state="translated">assertion arrière négative de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_long"> <source>A zero-width positive lookahead assertion, where for a match to be successful, the input string must match the regular expression pattern in 'subexpression'. The matched substring is not included in the match result. A zero-width positive lookahead assertion does not backtrack. Typically, a zero-width positive lookahead assertion is found at the end of a regular expression pattern. It defines a substring that must be found at the end of a string for a match to occur but that should not be included in the match. It is also useful for preventing excessive backtracking. You can use a zero-width positive lookahead assertion to ensure that a particular captured group begins with text that matches a subset of the pattern defined for that captured group.</source> <target state="translated">Assertion avant positive de largeur nulle, où, pour qu'une correspondance soit réussie, la chaîne d'entrée doit correspondre au modèle d'expression régulière de la 'sous-expression'. La sous-chaîne correspondante n'est pas incluse dans le résultat de la correspondance. Une assertion avant positive de largeur nulle n'effectue pas de rétroaction. En règle générale, une assertion avant positive de largeur nulle se trouve à la fin d'un modèle d'expression régulière. Elle définit une sous-chaîne qui doit se trouver à la fin d'une chaîne pour qu'une correspondance se produise mais qui ne doit pas être incluse dans la correspondance. Elle permet également d'empêcher un retour sur trace excessif. Vous pouvez utiliser une assertion avant positive de largeur nulle pour vérifier qu'un groupe capturé particulier commence par un texte correspondant à un sous-ensemble du modèle défini pour ce groupe capturé.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookahead_assertion_short"> <source>zero-width positive lookahead assertion</source> <target state="translated">assertion avant positive de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_long"> <source>A zero-width positive lookbehind assertion, where for a match to be successful, 'subexpression' must occur at the input string to the left of the current position. 'subexpression' is not included in the match result. A zero-width positive lookbehind assertion does not backtrack. Zero-width positive lookbehind assertions are typically used at the beginning of regular expressions. The pattern that they define is a precondition for a match, although it is not a part of the match result.</source> <target state="translated">Assertion arrière positive de largeur nulle, où, pour qu'une correspondance soit réussie, la 'sous-expression' doit apparaître dans la chaîne d'entrée à gauche de la position actuelle. La 'sous-expression' n'est pas incluse dans le résultat de la correspondance. Une assertion arrière positive de largeur nulle n'effectue pas de rétroaction. Les assertions arrière positives de largeur nulle sont généralement utilisées au début des expressions régulières. Le modèle qu'elles définissent est une condition préalable à une correspondance, bien qu'il ne fasse pas partie du résultat de la correspondance.</target> <note /> </trans-unit> <trans-unit id="Regex_zero_width_positive_lookbehind_assertion_short"> <source>zero-width positive lookbehind assertion</source> <target state="translated">assertion arrière positive de largeur nulle</target> <note /> </trans-unit> <trans-unit id="Related_method_signatures_found_in_metadata_will_not_be_updated"> <source>Related method signatures found in metadata will not be updated.</source> <target state="translated">Les signatures de méthode associées dans les métadonnées ne sont pas mises à jour.</target> <note /> </trans-unit> <trans-unit id="Removal_of_document_not_supported"> <source>Removal of document not supported</source> <target state="translated">Suppression du document non prise en charge</target> <note /> </trans-unit> <trans-unit id="Remove_async_modifier"> <source>Remove 'async' modifier</source> <target state="translated">Supprimer le modificateur 'async'</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_casts"> <source>Remove unnecessary casts</source> <target state="translated">Supprimer les casts inutiles</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variables"> <source>Remove unused variables</source> <target state="translated">Supprimer les variables inutilisées</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_accessed_captured_variables_1_and_2_declared_in_different_scopes_requires_restarting_the_application"> <source>Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</source> <target state="new">Removing {0} that accessed captured variables '{1}' and '{2}' declared in different scopes requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Removing_0_that_contains_an_active_statement_requires_restarting_the_application"> <source>Removing {0} that contains an active statement requires restarting the application.</source> <target state="new">Removing {0} that contains an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application"> <source>Renaming {0} requires restarting the application.</source> <target state="new">Renaming {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Renaming_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Renaming {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Renaming {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Renaming_a_captured_variable_from_0_to_1_requires_restarting_the_application"> <source>Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</source> <target state="new">Renaming a captured variable, from '{0}' to '{1}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_1"> <source>Replace '{0}' with '{1}' </source> <target state="translated">Remplacer '{0}' par '{1}'</target> <note /> </trans-unit> <trans-unit id="Resolve_conflict_markers"> <source>Resolve conflict markers</source> <target state="translated">Résoudre les marqueurs de conflit</target> <note /> </trans-unit> <trans-unit id="RudeEdit"> <source>Rude edit</source> <target state="translated">Modification non applicable</target> <note /> </trans-unit> <trans-unit id="Selection_does_not_contain_a_valid_token"> <source>Selection does not contain a valid token.</source> <target state="new">Selection does not contain a valid token.</target> <note /> </trans-unit> <trans-unit id="Selection_not_contained_inside_a_type"> <source>Selection not contained inside a type.</source> <target state="new">Selection not contained inside a type.</target> <note /> </trans-unit> <trans-unit id="Sort_accessibility_modifiers"> <source>Sort accessibility modifiers</source> <target state="translated">Trier les modificateurs d'accessibilité</target> <note /> </trans-unit> <trans-unit id="Split_into_consecutive_0_statements"> <source>Split into consecutive '{0}' statements</source> <target state="translated">Diviser en instructions '{0}' consécutives</target> <note /> </trans-unit> <trans-unit id="Split_into_nested_0_statements"> <source>Split into nested '{0}' statements</source> <target state="translated">Diviser en instructions '{0}' imbriquées</target> <note /> </trans-unit> <trans-unit id="StreamMustSupportReadAndSeek"> <source>Stream must support read and seek operations.</source> <target state="translated">Le flux doit prendre en charge les opérations de lecture et de recherche.</target> <note /> </trans-unit> <trans-unit id="Suppress_0"> <source>Suppress {0}</source> <target state="translated">Supprimer {0}</target> <note /> </trans-unit> <trans-unit id="Switching_between_lambda_and_local_function_requires_restarting_the_application"> <source>Switching between a lambda and a local function requires restarting the application.</source> <target state="new">Switching between a lambda and a local function requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="TODO_colon_free_unmanaged_resources_unmanaged_objects_and_override_finalizer"> <source>TODO: free unmanaged resources (unmanaged objects) and override finalizer</source> <target state="translated">TODO: libérer les ressources non managées (objets non managés) et substituer le finaliseur</target> <note /> </trans-unit> <trans-unit id="TODO_colon_override_finalizer_only_if_0_has_code_to_free_unmanaged_resources"> <source>TODO: override finalizer only if '{0}' has code to free unmanaged resources</source> <target state="translated">TODO: substituer le finaliseur uniquement si '{0}' a du code pour libérer les ressources non managées</target> <note /> </trans-unit> <trans-unit id="Target_type_matches"> <source>Target type matches</source> <target state="translated">Cibler les correspondances de types</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_containing_type_1_references_NET_Framework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">L'assembly '{0}' contenant le type '{1}' référence le .NET Framework, ce qui n'est pas pris en charge.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_a_local_function_call_without_its_declaration"> <source>The selection contains a local function call without its declaration.</source> <target state="translated">La sélection contient un appel de fonction locale sans sa déclaration.</target> <note /> </trans-unit> <trans-unit id="Too_many_bars_in_conditional_grouping"> <source>Too many | in (?()|)</source> <target state="translated">Trop de | dans (?()|)</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?(0)a|b|)</note> </trans-unit> <trans-unit id="Too_many_close_parens"> <source>Too many )'s</source> <target state="translated">Trop de )'s</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: )</note> </trans-unit> <trans-unit id="UnableToReadSourceFileOrPdb"> <source>Unable to read source file '{0}' or the PDB built for the containing project. Any changes made to this file while debugging won't be applied until its content matches the built source.</source> <target state="translated">Impossible de lire le fichier source '{0}' ou le PDB généré pour le projet conteneur. Les changements apportés à ce fichier durant le débogage ne seront pas appliqués tant que son contenu ne correspondra pas à la source générée.</target> <note /> </trans-unit> <trans-unit id="Unknown_property"> <source>Unknown property</source> <target state="translated">Propriété inconnue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{}</note> </trans-unit> <trans-unit id="Unknown_property_0"> <source>Unknown property '{0}'</source> <target state="translated">Propriété inconnue '{0}'</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \p{xxx}. Here, {0} will be the name of the unknown property ('xxx')</note> </trans-unit> <trans-unit id="Unrecognized_control_character"> <source>Unrecognized control character</source> <target state="translated">Caractère de contrôle non reconnu</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [\c]</note> </trans-unit> <trans-unit id="Unrecognized_escape_sequence_0"> <source>Unrecognized escape sequence \{0}</source> <target state="translated">Séquence d'échappement non reconnue \{0}</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: \m. Here, {0} will be the unrecognized character ('m')</note> </trans-unit> <trans-unit id="Unrecognized_grouping_construct"> <source>Unrecognized grouping construct</source> <target state="translated">Construction de regroupement non reconnue</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?&lt;</note> </trans-unit> <trans-unit id="Unterminated_character_class_set"> <source>Unterminated [] set</source> <target state="translated">Ensemble [] inachevé</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [</note> </trans-unit> <trans-unit id="Unterminated_regex_comment"> <source>Unterminated (?#...) comment</source> <target state="translated">Commentaire (?#...) non terminé</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: (?#</note> </trans-unit> <trans-unit id="Unwrap_all_arguments"> <source>Unwrap all arguments</source> <target state="translated">Désenvelopper tous les arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_all_parameters"> <source>Unwrap all parameters</source> <target state="translated">Désenvelopper tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_arguments"> <source>Unwrap and indent all arguments</source> <target state="translated">Désenvelopper et mettre en retrait tous les arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_and_indent_all_parameters"> <source>Unwrap and indent all parameters</source> <target state="translated">Désenvelopper et mettre en retrait tous les paramètres</target> <note /> </trans-unit> <trans-unit id="Unwrap_argument_list"> <source>Unwrap argument list</source> <target state="translated">Désenvelopper la liste d'arguments</target> <note /> </trans-unit> <trans-unit id="Unwrap_call_chain"> <source>Unwrap call chain</source> <target state="translated">Désenvelopper la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Unwrap_expression"> <source>Unwrap expression</source> <target state="translated">Désenvelopper l'expression</target> <note /> </trans-unit> <trans-unit id="Unwrap_parameter_list"> <source>Unwrap parameter list</source> <target state="translated">Désenvelopper la liste de paramètres</target> <note /> </trans-unit> <trans-unit id="Updating_0_requires_restarting_the_application"> <source>Updating '{0}' requires restarting the application.</source> <target state="new">Updating '{0}' requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_0_around_an_active_statement_requires_restarting_the_application"> <source>Updating a {0} around an active statement requires restarting the application.</source> <target state="new">Updating a {0} around an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_a_complex_statement_containing_an_await_expression_requires_restarting_the_application"> <source>Updating a complex statement containing an await expression requires restarting the application.</source> <target state="new">Updating a complex statement containing an await expression requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_an_active_statement_requires_restarting_the_application"> <source>Updating an active statement requires restarting the application.</source> <target state="new">Updating an active statement requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_async_or_iterator_modifier_around_an_active_statement_requires_restarting_the_application"> <source>Updating async or iterator modifier around an active statement requires restarting the application.</source> <target state="new">Updating async or iterator modifier around an active statement requires restarting the application.</target> <note>{Locked="async"}{Locked="iterator"} "async" and "iterator" are C#/VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_reloadable_type_marked_by_0_attribute_or_its_member_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</source> <target state="new">Updating a reloadable type (marked by {0}) or its member requires restarting the application because is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_Handles_clause_of_0_requires_restarting_the_application"> <source>Updating the Handles clause of {0} requires restarting the application.</source> <target state="new">Updating the Handles clause of {0} requires restarting the application.</target> <note>{Locked="Handles"} "Handles" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_Implements_clause_of_a_0_requires_restarting_the_application"> <source>Updating the Implements clause of a {0} requires restarting the application.</source> <target state="new">Updating the Implements clause of a {0} requires restarting the application.</target> <note>{Locked="Implements"} "Implements" is VB keywords and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_alias_of_Declare_statement_requires_restarting_the_application"> <source>Updating the alias of Declare statement requires restarting the application.</source> <target state="new">Updating the alias of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_attributes_of_0_requires_restarting_the_application_because_it_is_not_supported_by_the_runtime"> <source>Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</source> <target state="new">Updating the attributes of {0} requires restarting the application because it is not supported by the runtime.</target> <note /> </trans-unit> <trans-unit id="Updating_the_base_class_and_or_base_interface_s_of_0_requires_restarting_the_application"> <source>Updating the base class and/or base interface(s) of {0} requires restarting the application.</source> <target state="new">Updating the base class and/or base interface(s) of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_initializer_of_0_requires_restarting_the_application"> <source>Updating the initializer of {0} requires restarting the application.</source> <target state="new">Updating the initializer of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_property_event_accessor_requires_restarting_the_application"> <source>Updating the kind of a property/event accessor requires restarting the application.</source> <target state="new">Updating the kind of a property/event accessor requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_kind_of_a_type_requires_restarting_the_application"> <source>Updating the kind of a type requires restarting the application.</source> <target state="new">Updating the kind of a type requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_library_name_of_Declare_statement_requires_restarting_the_application"> <source>Updating the library name of Declare statement requires restarting the application.</source> <target state="new">Updating the library name of Declare statement requires restarting the application.</target> <note>{Locked="Declare"} "Declare" is VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="Updating_the_modifiers_of_0_requires_restarting_the_application"> <source>Updating the modifiers of {0} requires restarting the application.</source> <target state="new">Updating the modifiers of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_size_of_a_0_requires_restarting_the_application"> <source>Updating the size of a {0} requires restarting the application.</source> <target state="new">Updating the size of a {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_type_of_0_requires_restarting_the_application"> <source>Updating the type of {0} requires restarting the application.</source> <target state="new">Updating the type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_underlying_type_of_0_requires_restarting_the_application"> <source>Updating the underlying type of {0} requires restarting the application.</source> <target state="new">Updating the underlying type of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Updating_the_variance_of_0_requires_restarting_the_application"> <source>Updating the variance of {0} requires restarting the application.</source> <target state="new">Updating the variance of {0} requires restarting the application.</target> <note /> </trans-unit> <trans-unit id="Use_block_body_for_lambda_expressions"> <source>Use block body for lambda expressions</source> <target state="translated">Utiliser le corps de bloc pour les expressions lambda</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambda_expressions"> <source>Use expression body for lambda expressions</source> <target state="translated">Utiliser le corps d'expression pour les expressions lambda</target> <note /> </trans-unit> <trans-unit id="Use_interpolated_verbatim_string"> <source>Use interpolated verbatim string</source> <target state="translated">Utiliser une chaîne verbatim interpolée</target> <note /> </trans-unit> <trans-unit id="Value_colon"> <source>Value:</source> <target state="translated">Valeur :</target> <note /> </trans-unit> <trans-unit id="Warning_colon_changing_namespace_may_produce_invalid_code_and_change_code_meaning"> <source>Warning: Changing namespace may produce invalid code and change code meaning.</source> <target state="translated">Avertissement : Le changement d’espace de noms peut produire du code non valide et changer la signification du code.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_semantics_may_change_when_converting_statement"> <source>Warning: Semantics may change when converting statement.</source> <target state="translated">Avertissement : La sémantique peut changer durant la conversion d'une instruction.</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_call_chain"> <source>Wrap and align call chain</source> <target state="translated">Envelopper et aligner la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_expression"> <source>Wrap and align expression</source> <target state="translated">Envelopper et aligner l'expression</target> <note /> </trans-unit> <trans-unit id="Wrap_and_align_long_call_chain"> <source>Wrap and align long call chain</source> <target state="translated">Envelopper et aligner la longue chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_call_chain"> <source>Wrap call chain</source> <target state="translated">Envelopper la chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_every_argument"> <source>Wrap every argument</source> <target state="translated">Envelopper chaque argument</target> <note /> </trans-unit> <trans-unit id="Wrap_every_parameter"> <source>Wrap every parameter</source> <target state="translated">Envelopper chaque paramètre</target> <note /> </trans-unit> <trans-unit id="Wrap_expression"> <source>Wrap expression</source> <target state="translated">Envelopper l'expression</target> <note /> </trans-unit> <trans-unit id="Wrap_long_argument_list"> <source>Wrap long argument list</source> <target state="translated">Envelopper la longue liste d'arguments</target> <note /> </trans-unit> <trans-unit id="Wrap_long_call_chain"> <source>Wrap long call chain</source> <target state="translated">Envelopper la longue chaîne d'appels</target> <note /> </trans-unit> <trans-unit id="Wrap_long_parameter_list"> <source>Wrap long parameter list</source> <target state="translated">Envelopper la longue liste de paramètres</target> <note /> </trans-unit> <trans-unit id="Wrapping"> <source>Wrapping</source> <target state="translated">Enveloppement</target> <note /> </trans-unit> <trans-unit id="You_can_use_the_navigation_bar_to_switch_contexts"> <source>You can use the navigation bar to switch contexts.</source> <target state="translated">Vous pouvez utiliser la barre de navigation pour changer de contexte.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_empty"> <source>'{0}' cannot be null or empty.</source> <target state="translated">« {0} » ne peut pas être vide ou avoir la valeur Null.</target> <note /> </trans-unit> <trans-unit id="_0_cannot_be_null_or_whitespace"> <source>'{0}' cannot be null or whitespace.</source> <target state="translated">'{0}' ne peut pas avoir une valeur null ou être un espace blanc.</target> <note /> </trans-unit> <trans-unit id="_0_dash_1"> <source>{0} - {1}</source> <target state="translated">{0} - {1}</target> <note /> </trans-unit> <trans-unit id="_0_is_not_null_here"> <source>'{0}' is not null here.</source> <target state="translated">'{0}' n'a pas une valeur null ici.</target> <note /> </trans-unit> <trans-unit id="_0_may_be_null_here"> <source>'{0}' may be null here.</source> <target state="translated">'{0}' a peut-être une valeur null ici.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second"> <source>10,000,000ths of a second</source> <target state="translated">10 000 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_description"> <source>The "fffffff" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "fffffff" représente les sept chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millionièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les dix millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero"> <source>10,000,000ths of a second (non-zero)</source> <target state="translated">10 000 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10000000ths_of_a_second_non_zero_description"> <source>The "FFFFFFF" custom format specifier represents the seven most significant digits of the seconds fraction; that is, it represents the ten millionths of a second in a date and time value. However, trailing zeros or seven zero digits aren't displayed. Although it's possible to display the ten millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFFFF" représente les sept chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millionièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les sept chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les dix millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second"> <source>1,000,000ths of a second</source> <target state="translated">1 000 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_description"> <source>The "ffffff" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "ffffff" représente les six chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millionièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero"> <source>1,000,000ths of a second (non-zero)</source> <target state="translated">1 000 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_1000000ths_of_a_second_non_zero_description"> <source>The "FFFFFF" custom format specifier represents the six most significant digits of the seconds fraction; that is, it represents the millionths of a second in a date and time value. However, trailing zeros or six zero digits aren't displayed. Although it's possible to display the millionths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFFF" représente les six chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millionièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les six chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les millionièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second"> <source>100,000ths of a second</source> <target state="translated">100 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_description"> <source>The "fffff" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "fffff" représente les cinq chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les cents millièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les cents millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero"> <source>100,000ths of a second (non-zero)</source> <target state="translated">100 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_100000ths_of_a_second_non_zero_description"> <source>The "FFFFF" custom format specifier represents the five most significant digits of the seconds fraction; that is, it represents the hundred thousandths of a second in a date and time value. However, trailing zeros or five zero digits aren't displayed. Although it's possible to display the hundred thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFFF" représente les cinq chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les cents millièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les cinq chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les cents millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second"> <source>10,000ths of a second</source> <target state="translated">10 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_description"> <source>The "ffff" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT version 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "ffff" représente les quatre chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millièmes de seconde d'une valeur de date et d'heure. Bien qu'il soit possible d'afficher les dix millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT version 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero"> <source>10,000ths of a second (non-zero)</source> <target state="translated">10 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10000ths_of_a_second_non_zero_description"> <source>The "FFFF" custom format specifier represents the four most significant digits of the seconds fraction; that is, it represents the ten thousandths of a second in a date and time value. However, trailing zeros or four zero digits aren't displayed. Although it's possible to display the ten thousandths of a second component of a time value, that value may not be meaningful. The precision of date and time values depends on the resolution of the system clock. On the Windows NT 3.5 (and later) and Windows Vista operating systems, the clock's resolution is approximately 10-15 milliseconds.</source> <target state="translated">Le spécificateur de format personnalisé "FFFF" représente les quatre chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les dix millièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les quatre chiffres correspondant à des zéros ne sont pas affichés. Bien qu'il soit possible d'afficher les dix millièmes d'un deuxième composant d'une valeur de temps, cette valeur risque de ne pas être significative. La précision des valeurs de date et d'heure dépend de la résolution de l'horloge système. Sur les systèmes d'exploitation Windows NT 3.5 (et versions ultérieures) et Windows Vista, la résolution de l'horloge est d'environ 10 à 15 millisecondes.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second"> <source>1,000ths of a second</source> <target state="translated">1 000es de seconde</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_description"> <source>The "fff" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value.</source> <target state="translated">Le spécificateur de format personnalisé "fff" représente les trois chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millisecondes d'une valeur de date et d'heure.</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero"> <source>1,000ths of a second (non-zero)</source> <target state="translated">1 000es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_1000ths_of_a_second_non_zero_description"> <source>The "FFF" custom format specifier represents the three most significant digits of the seconds fraction; that is, it represents the milliseconds in a date and time value. However, trailing zeros or three zero digits aren't displayed.</source> <target state="translated">Le spécificateur de format personnalisé "FFF" représente les trois chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les millisecondes d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les trois chiffres correspondant à des zéros ne sont pas affichés.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second"> <source>100ths of a second</source> <target state="translated">100es de seconde</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_description"> <source>The "ff" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value.</source> <target state="translated">Le spécificateur de format personnalisé "ff" représente les deux chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les centièmes de seconde d'une valeur de date et d'heure.</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero"> <source>100ths of a second (non-zero)</source> <target state="translated">100es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_100ths_of_a_second_non_zero_description"> <source>The "FF" custom format specifier represents the two most significant digits of the seconds fraction; that is, it represents the hundredths of a second in a date and time value. However, trailing zeros or two zero digits aren't displayed.</source> <target state="translated">Le spécificateur de format personnalisé "FF" représente les deux chiffres les plus significatifs de la fraction de seconde. En d'autres termes, il représente les centièmes de seconde d'une valeur de date et d'heure. Toutefois, les zéros de fin ou les deux chiffres correspondant à des zéros ne sont pas affichés.</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second"> <source>10ths of a second</source> <target state="translated">10es de seconde</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_description"> <source>The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</source> <target state="new">The "f" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. If the "f" format specifier is used without other format specifiers, it's interpreted as the "f" standard date and time format specifier. When you use "f" format specifiers as part of a format string supplied to the ParseExact or TryParseExact method, the number of "f" format specifiers indicates the number of most significant digits of the seconds fraction that must be present to successfully parse the string.</target> <note>{Locked="ParseExact"}{Locked="TryParseExact"}{Locked=""f""}</note> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero"> <source>10ths of a second (non-zero)</source> <target state="translated">10es de seconde (non nul)</target> <note /> </trans-unit> <trans-unit id="_10ths_of_a_second_non_zero_description"> <source>The "F" custom format specifier represents the most significant digit of the seconds fraction; that is, it represents the tenths of a second in a date and time value. Nothing is displayed if the digit is zero. If the "F" format specifier is used without other format specifiers, it's interpreted as the "F" standard date and time format specifier. The number of "F" format specifiers used with the ParseExact, TryParseExact, ParseExact, or TryParseExact method indicates the maximum number of most significant digits of the seconds fraction that can be present to successfully parse the string.</source> <target state="translated">Le spécificateur de format personnalisé "F" représente le chiffre le plus significatif de la fraction de seconde. En d'autres termes, il représente les dixièmes de seconde d'une valeur de date et d'heure. Rien ne s'affiche si le chiffre est zéro. Si le spécificateur de format "F" est utilisé sans autres spécificateurs de format, il est interprété en tant que spécificateur de format de date et d'heure standard : "F". Le nombre de spécificateurs de format "F" utilisés avec la méthode ParseExact, TryParseExact, ParseExact ou TryParseExact indique le nombre maximal de chiffres les plus significatifs de la fraction de seconde qui peuvent être présents pour permettre une analyse correcte de la chaîne.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits"> <source>12 hour clock (1-2 digits)</source> <target state="translated">Horloge de 12 heures (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_1_2_digits_description"> <source>The "h" custom format specifier represents the hour as a number from 1 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted without a leading zero. For example, given a time of 5:43 in the morning or afternoon, this custom format specifier displays "5". If the "h" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "h" représente l'heure sous la forme d'un nombre compris entre 1 et 12. En d'autres termes, l'heure est représentée par une horloge de 12 heures qui compte les heures entières depuis minuit ou midi. Vous ne pouvez pas différencier une heure particulière après minuit et la même heure après midi. L'heure n'est pas arrondie, et une heure à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Par exemple, s'il est 5:43 du matin ou de l'après-midi, le spécificateur de format personnalisé affiche "5". Si le spécificateur de format "h" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits"> <source>12 hour clock (2 digits)</source> <target state="translated">Horloge de 12 heures (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_12_hour_clock_2_digits_description"> <source>The "hh" custom format specifier (plus any number of additional "h" specifiers) represents the hour as a number from 01 through 12; that is, the hour is represented by a 12-hour clock that counts the whole hours since midnight or noon. A particular hour after midnight is indistinguishable from the same hour after noon. The hour is not rounded, and a single-digit hour is formatted with a leading zero. For example, given a time of 5:43 in the morning or afternoon, this format specifier displays "05".</source> <target state="translated">Le spécificateur de format personnalisé "hh" (plus n'importe quel nombre de spécificateurs "h" supplémentaires) représente les heures sous la forme d'un nombre compris entre 01 et 12. En d'autres termes, les heures sont représentées par une horloge de 12 heures qui compte les heures entières écoulées depuis minuit ou midi. Vous ne pouvez pas différencier une heure particulière après minuit et la même heure après midi. L'heure n'est pas arrondie, et une heure à un chiffre est présentée dans un format qui comporte un zéro de début. Par exemple, s'il est 5:43 du matin ou de l'après-midi, le spécificateur de format personnalisé affiche "05".</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits"> <source>24 hour clock (1-2 digits)</source> <target state="translated">Horloge de 24 heures (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_1_2_digits_description"> <source>The "H" custom format specifier represents the hour as a number from 0 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted without a leading zero. If the "H" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "H" représente l'heure sous la forme d'un nombre compris entre 0 et 23. En d'autres termes, l'heure est représentée par une horloge de 24 heures de base zéro, qui compte les heures entières depuis minuit. Une heure à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "H" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits"> <source>24 hour clock (2 digits)</source> <target state="translated">Horloge de 24 heures (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="_24_hour_clock_2_digits_description"> <source>The "HH" custom format specifier (plus any number of additional "H" specifiers) represents the hour as a number from 00 through 23; that is, the hour is represented by a zero-based 24-hour clock that counts the hours since midnight. A single-digit hour is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "HH" (plus n'importe quel nombre de spécificateurs "H" supplémentaires) représente les heures sous la forme d'un nombre compris entre 00 et 23. En d'autres termes, les heures sont représentées par une horloge de 24 heures de base zéro, qui compte les heures écoulées depuis minuit. Une heure à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="and_update_call_sites_directly"> <source>and update call sites directly</source> <target state="new">and update call sites directly</target> <note /> </trans-unit> <trans-unit id="code"> <source>code</source> <target state="translated">code</target> <note /> </trans-unit> <trans-unit id="date_separator"> <source>date separator</source> <target state="translated">séparateur de date</target> <note /> </trans-unit> <trans-unit id="date_separator_description"> <source>The "/" custom format specifier represents the date separator, which is used to differentiate years, months, and days. The appropriate localized date separator is retrieved from the DateTimeFormatInfo.DateSeparator property of the current or specified culture. Note: To change the date separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string mm'/'dd'/'yyyy produces a result string in which "/" is always used as the date separator. To change the date separator for all dates for a culture, either change the value of the DateTimeFormatInfo.DateSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its DateSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the "/" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "/" représente le séparateur de date, qui est utilisé pour différencier les années, les mois et les jours. Le séparateur de date localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.DateSeparator de la culture actuelle ou spécifiée. Remarque : Pour changer le séparateur de date d'une chaîne de date et d'heure particulière, spécifiez le caractère de séparation dans un délimiteur de chaîne littérale. Par exemple, la chaîne de format personnalisée mm'/'dd'/'yyyy produit une chaîne de résultat dans laquelle "/" est toujours utilisé en tant que séparateur de date. Pour changer le séparateur de date de toutes les dates d'une culture, changez la valeur de la propriété DateTimeFormatInfo.DateSeparator de la culture actuelle, ou instanciez un objet DateTimeFormatInfo, affectez le caractère à sa propriété DateSeparator, puis appelez une surcharge de la méthode de format qui inclut un paramètre IFormatProvider. Si le spécificateur de format "/" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits"> <source>day of the month (1-2 digits)</source> <target state="translated">jour du mois (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_1_2_digits_description"> <source>The "d" custom format specifier represents the day of the month as a number from 1 through 31. A single-digit day is formatted without a leading zero. If the "d" format specifier is used without other custom format specifiers, it's interpreted as the "d" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "d" représente le jour du mois sous la forme d'un nombre compris entre 1 et 31. Un jour à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "d" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "d".</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits"> <source>day of the month (2 digits)</source> <target state="translated">jour du mois (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="day_of_the_month_2_digits_description"> <source>The "dd" custom format string represents the day of the month as a number from 01 through 31. A single-digit day is formatted with a leading zero.</source> <target state="translated">La chaîne de format personnalisée "dd" représente le jour du mois sous la forme d'un nombre compris entre 01 et 31. Un jour à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated"> <source>day of the week (abbreviated)</source> <target state="translated">jour de la semaine (abrégé)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_abbreviated_description"> <source>The "ddd" custom format specifier represents the abbreviated name of the day of the week. The localized abbreviated name of the day of the week is retrieved from the DateTimeFormatInfo.AbbreviatedDayNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "ddd" représente le nom abrégé du jour de la semaine. Le nom abrégé localisé du jour de la semaine est récupéré à partir de la propriété DateTimeFormatInfo.AbbreviatedDayNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full"> <source>day of the week (full)</source> <target state="translated">jour de la semaine (complet)</target> <note /> </trans-unit> <trans-unit id="day_of_the_week_full_description"> <source>The "dddd" custom format specifier (plus any number of additional "d" specifiers) represents the full name of the day of the week. The localized name of the day of the week is retrieved from the DateTimeFormatInfo.DayNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "dddd" (plus n'importe quel nombre de spécificateurs "d" supplémentaires) représente le nom complet du jour de la semaine. Le nom localisé du jour de la semaine est récupéré à partir de la propriété DateTimeFormatInfo.DayNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="discard"> <source>discard</source> <target state="translated">discard</target> <note /> </trans-unit> <trans-unit id="from_metadata"> <source>from metadata</source> <target state="translated">à partir des métadonnées</target> <note /> </trans-unit> <trans-unit id="full_long_date_time"> <source>full long date/time</source> <target state="translated">date longue/heure longue (complet)</target> <note /> </trans-unit> <trans-unit id="full_long_date_time_description"> <source>The "F" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.FullDateTimePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy HH:mm:ss".</source> <target state="translated">Le spécificateur de format standard "F" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.FullDateTimePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "dddd, dd MMMM yyyy HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="full_short_date_time"> <source>full short date/time</source> <target state="translated">date longue/heure courte (complet)</target> <note /> </trans-unit> <trans-unit id="full_short_date_time_description"> <source>The Full Date Short Time ("f") Format Specifier The "f" standard format specifier represents a combination of the long date ("D") and short time ("t") patterns, separated by a space.</source> <target state="translated">Spécificateur de format complet de date longue et d'heure courte ("f") Le spécificateur de format standard "f" représente une combinaison des modèles de date longue ("D") et d'heure courte ("t"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="general_long_date_time"> <source>general long date/time</source> <target state="translated">date courte/heure longue (général)</target> <note /> </trans-unit> <trans-unit id="general_long_date_time_description"> <source>The "G" standard format specifier represents a combination of the short date ("d") and long time ("T") patterns, separated by a space.</source> <target state="translated">Le spécificateur de format standard "G" représente une combinaison des modèles de date courte ("d") et d'heure longue ("T"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="general_short_date_time"> <source>general short date/time</source> <target state="translated">date courte/heure courte (général)</target> <note /> </trans-unit> <trans-unit id="general_short_date_time_description"> <source>The "g" standard format specifier represents a combination of the short date ("d") and short time ("t") patterns, separated by a space.</source> <target state="translated">Le spécificateur de format standard "g" représente une combinaison des modèles de date courte ("d") et d'heure courte ("t"), séparés par un espace.</target> <note /> </trans-unit> <trans-unit id="generic_overload"> <source>generic overload</source> <target state="translated">surcharge générique</target> <note /> </trans-unit> <trans-unit id="generic_overloads"> <source>generic overloads</source> <target state="translated">surcharges génériques</target> <note /> </trans-unit> <trans-unit id="in_0_1_2"> <source>in {0} ({1} - {2})</source> <target state="translated">dans {0} ({1} - {2})</target> <note /> </trans-unit> <trans-unit id="in_Source_attribute"> <source>in Source (attribute)</source> <target state="translated">dans la source (attribut)</target> <note /> </trans-unit> <trans-unit id="into_extracted_method_to_invoke_at_call_sites"> <source>into extracted method to invoke at call sites</source> <target state="new">into extracted method to invoke at call sites</target> <note /> </trans-unit> <trans-unit id="into_new_overload"> <source>into new overload</source> <target state="new">into new overload</target> <note /> </trans-unit> <trans-unit id="long_date"> <source>long date</source> <target state="translated">date longue</target> <note /> </trans-unit> <trans-unit id="long_date_description"> <source>The "D" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.LongDatePattern property. For example, the custom format string for the invariant culture is "dddd, dd MMMM yyyy".</source> <target state="translated">Le spécificateur de format standard "D" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.LongDatePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "dddd, dd MMMM yyyy".</target> <note /> </trans-unit> <trans-unit id="long_time"> <source>long time</source> <target state="translated">heure longue</target> <note /> </trans-unit> <trans-unit id="long_time_description"> <source>The "T" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.LongTimePattern property. For example, the custom format string for the invariant culture is "HH:mm:ss".</source> <target state="translated">Le spécificateur de format standard "T" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.LongTimePattern d'une culture spécifique. Par exemple, la chaîne de format personnalisée pour la culture invariante est "HH:mm:ss".</target> <note /> </trans-unit> <trans-unit id="member_kind_and_name"> <source>{0} '{1}'</source> <target state="translated">{0} '{1}'</target> <note>e.g. "method 'M'"</note> </trans-unit> <trans-unit id="minute_1_2_digits"> <source>minute (1-2 digits)</source> <target state="translated">minute (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="minute_1_2_digits_description"> <source>The "m" custom format specifier represents the minute as a number from 0 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted without a leading zero. If the "m" format specifier is used without other custom format specifiers, it's interpreted as the "m" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "m" représente les minutes sous la forme d'un nombre compris entre 0 et 59. Le résultat correspond aux minutes entières qui se sont écoulées depuis la dernière heure. Une minute à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "m" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "m".</target> <note /> </trans-unit> <trans-unit id="minute_2_digits"> <source>minute (2 digits)</source> <target state="translated">minute (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="minute_2_digits_description"> <source>The "mm" custom format specifier (plus any number of additional "m" specifiers) represents the minute as a number from 00 through 59. The minute represents whole minutes that have passed since the last hour. A single-digit minute is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "mm" (plus n'importe quel nombre de spécificateurs "m" supplémentaires) représente les minutes sous la forme d'un nombre compris entre 00 et 59. Une minute à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits"> <source>month (1-2 digits)</source> <target state="translated">mois (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="month_1_2_digits_description"> <source>The "M" custom format specifier represents the month as a number from 1 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted without a leading zero. If the "M" format specifier is used without other custom format specifiers, it's interpreted as the "M" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "M" représente le mois sous la forme d'un nombre compris entre 1 et 12 (ou entre 1 et 13 pour les calendriers de 13 mois). Un mois à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "M" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "M".</target> <note /> </trans-unit> <trans-unit id="month_2_digits"> <source>month (2 digits)</source> <target state="translated">mois (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="month_2_digits_description"> <source>The "MM" custom format specifier represents the month as a number from 01 through 12 (or from 1 through 13 for calendars that have 13 months). A single-digit month is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "MM" représente le mois sous la forme d'un nombre compris entre 01 et 12 (ou entre 01 et 13 pour les calendriers de 13 mois). Un mois à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="month_abbreviated"> <source>month (abbreviated)</source> <target state="translated">mois (abrégé)</target> <note /> </trans-unit> <trans-unit id="month_abbreviated_description"> <source>The "MMM" custom format specifier represents the abbreviated name of the month. The localized abbreviated name of the month is retrieved from the DateTimeFormatInfo.AbbreviatedMonthNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "MMM" représente le nom abrégé du mois. Le nom abrégé localisé du mois est récupéré à partir de la propriété DateTimeFormatInfo.AbbreviatedMonthNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="month_day"> <source>month day</source> <target state="translated">jour du mois</target> <note /> </trans-unit> <trans-unit id="month_day_description"> <source>The "M" or "m" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.MonthDayPattern property. For example, the custom format string for the invariant culture is "MMMM dd".</source> <target state="translated">Le spécificateur de format standard "M" ou "m" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.MonthDayPattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "MMMM dd".</target> <note /> </trans-unit> <trans-unit id="month_full"> <source>month (full)</source> <target state="translated">mois (complet)</target> <note /> </trans-unit> <trans-unit id="month_full_description"> <source>The "MMMM" custom format specifier represents the full name of the month. The localized name of the month is retrieved from the DateTimeFormatInfo.MonthNames property of the current or specified culture.</source> <target state="translated">Le spécificateur de format personnalisé "MMMM" représente le nom complet du mois. Le nom localisé du mois est récupéré à partir de la propriété DateTimeFormatInfo.MonthNames de la culture actuelle ou spécifiée.</target> <note /> </trans-unit> <trans-unit id="overload"> <source>overload</source> <target state="translated">surcharge</target> <note /> </trans-unit> <trans-unit id="overloads_"> <source>overloads</source> <target state="translated">surcharges</target> <note /> </trans-unit> <trans-unit id="_0_Keyword"> <source>{0} Keyword</source> <target state="translated">Mot clé {0}</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_and_use_property"> <source>Encapsulate field: '{0}' (and use property)</source> <target state="translated">Encapsuler le champ : '{0}' (et utiliser la propriété)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_field_colon_0_but_still_use_field"> <source>Encapsulate field: '{0}' (but still use field)</source> <target state="translated">Encapsuler le champ : '{0}' (mais utiliser toujours le champ)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_and_use_property"> <source>Encapsulate fields (and use property)</source> <target state="translated">Encapsuler les champs (et utiliser la propriété)</target> <note /> </trans-unit> <trans-unit id="Encapsulate_fields_but_still_use_field"> <source>Encapsulate fields (but still use field)</source> <target state="translated">Encapsuler les champs (mais utiliser toujours le champ)</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_selection_is_not_inside_a_class_interface_struct"> <source>Could not extract interface: The selection is not inside a class/interface/struct.</source> <target state="translated">Impossible d'extraire l'interface : la sélection n'est pas comprise dans une classe, une interface ou un struct.</target> <note /> </trans-unit> <trans-unit id="Could_not_extract_interface_colon_The_type_does_not_contain_any_member_that_can_be_extracted_to_an_interface"> <source>Could not extract interface: The type does not contain any member that can be extracted to an interface.</source> <target state="translated">Impossible d'extraire l'interface : le type ne contient aucun élément pouvant être extrait vers une interface.</target> <note /> </trans-unit> <trans-unit id="can_t_not_construct_final_tree"> <source>can't not construct final tree</source> <target state="translated">Impossible de construire l'arborescence finale</target> <note /> </trans-unit> <trans-unit id="Parameters_type_or_return_type_cannot_be_an_anonymous_type_colon_bracket_0_bracket"> <source>Parameters' type or return type cannot be an anonymous type : [{0}]</source> <target state="translated">Le type de paramètre ou le type de retour ne peut pas être un type anonyme : [{0}]</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_no_active_statement"> <source>The selection contains no active statement.</source> <target state="translated">La sélection ne contient aucune instruction active.</target> <note /> </trans-unit> <trans-unit id="The_selection_contains_an_error_or_unknown_type"> <source>The selection contains an error or unknown type.</source> <target state="translated">La sélection contient une erreur ou un type inconnu.</target> <note /> </trans-unit> <trans-unit id="Type_parameter_0_is_hidden_by_another_type_parameter_1"> <source>Type parameter '{0}' is hidden by another type parameter '{1}'.</source> <target state="translated">Le paramètre de type '{0}' est masqué par un autre paramètre de type '{1}'.</target> <note /> </trans-unit> <trans-unit id="The_address_of_a_variable_is_used_inside_the_selected_code"> <source>The address of a variable is used inside the selected code.</source> <target state="translated">L'adresse d'une variable est utilisée dans le code sélectionné.</target> <note /> </trans-unit> <trans-unit id="Assigning_to_readonly_fields_must_be_done_in_a_constructor_colon_bracket_0_bracket"> <source>Assigning to readonly fields must be done in a constructor : [{0}].</source> <target state="translated">L'assignation à des champs en lecture seule doit se faire dans un constructeur : [{0}].</target> <note /> </trans-unit> <trans-unit id="generated_code_is_overlapping_with_hidden_portion_of_the_code"> <source>generated code is overlapping with hidden portion of the code</source> <target state="translated">Le code généré chevauche une partie cachée du code</target> <note /> </trans-unit> <trans-unit id="Add_optional_parameters_to_0"> <source>Add optional parameters to '{0}'</source> <target state="translated">Ajouter des paramètres optionnels à '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_parameters_to_0"> <source>Add parameters to '{0}'</source> <target state="translated">Ajouter des paramètres à '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_delegating_constructor_0_1"> <source>Generate delegating constructor '{0}({1})'</source> <target state="translated">Générer le constructeur de délégation '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_0_1"> <source>Generate constructor '{0}({1})'</source> <target state="translated">Générer le constructeur '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_field_assigning_constructor_0_1"> <source>Generate field assigning constructor '{0}({1})'</source> <target state="translated">Générer un constructeur d'assignation de champ '{0}({1})'</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_and_GetHashCode"> <source>Generate Equals and GetHashCode</source> <target state="translated">Générer Equals et GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_Equals_object"> <source>Generate Equals(object)</source> <target state="translated">Générer Equals(object)</target> <note /> </trans-unit> <trans-unit id="Generate_GetHashCode"> <source>Generate GetHashCode()</source> <target state="translated">Générer GetHashCode()</target> <note /> </trans-unit> <trans-unit id="Generate_constructor_in_0"> <source>Generate constructor in '{0}'</source> <target state="translated">Générer un constructeur dans '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_all"> <source>Generate all</source> <target state="translated">Générer tout</target> <note /> </trans-unit> <trans-unit id="Generate_enum_member_1_0"> <source>Generate enum member '{1}.{0}'</source> <target state="translated">Générer le membre enum '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_constant_1_0"> <source>Generate constant '{1}.{0}'</source> <target state="translated">Générer la constante '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_property_1_0"> <source>Generate read-only property '{1}.{0}'</source> <target state="translated">Générer la propriété en lecture seule '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_property_1_0"> <source>Generate property '{1}.{0}'</source> <target state="translated">Générer la propriété '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_read_only_field_1_0"> <source>Generate read-only field '{1}.{0}'</source> <target state="translated">Générer le champ en lecture seule '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_field_1_0"> <source>Generate field '{1}.{0}'</source> <target state="translated">Générer le champ '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_local_0"> <source>Generate local '{0}'</source> <target state="translated">Générer le '{0}' local</target> <note /> </trans-unit> <trans-unit id="Generate_0_1_in_new_file"> <source>Generate {0} '{1}' in new file</source> <target state="translated">Générer {0} '{1}' dans un nouveau fichier</target> <note /> </trans-unit> <trans-unit id="Generate_nested_0_1"> <source>Generate nested {0} '{1}'</source> <target state="translated">Générer un {0} '{1}' imbriqué</target> <note /> </trans-unit> <trans-unit id="Global_Namespace"> <source>Global Namespace</source> <target state="translated">Espace de noms global</target> <note /> </trans-unit> <trans-unit id="Implement_interface_abstractly"> <source>Implement interface abstractly</source> <target state="translated">Implémenter l'interface abstraitement</target> <note /> </trans-unit> <trans-unit id="Implement_interface_through_0"> <source>Implement interface through '{0}'</source> <target state="translated">Implémenter l'interface via '{0}'</target> <note /> </trans-unit> <trans-unit id="Implement_interface"> <source>Implement interface</source> <target state="translated">Implémenter l'interface</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_0"> <source>Introduce field for '{0}'</source> <target state="translated">Introduire un champ pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_0"> <source>Introduce local for '{0}'</source> <target state="translated">Introduire un élément local pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_0"> <source>Introduce constant for '{0}'</source> <target state="translated">Introduire une constante pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_0"> <source>Introduce local constant for '{0}'</source> <target state="translated">Introduire une constante locale pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_field_for_all_occurrences_of_0"> <source>Introduce field for all occurrences of '{0}'</source> <target state="translated">Introduire un champ pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_for_all_occurrences_of_0"> <source>Introduce local for all occurrences of '{0}'</source> <target state="translated">Introduire un élément local pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_constant_for_all_occurrences_of_0"> <source>Introduce constant for all occurrences of '{0}'</source> <target state="translated">Introduire une constante pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_local_constant_for_all_occurrences_of_0"> <source>Introduce local constant for all occurrences of '{0}'</source> <target state="translated">Introduire une constante locale pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_all_occurrences_of_0"> <source>Introduce query variable for all occurrences of '{0}'</source> <target state="translated">Introduire une variable de requête pour toutes les occurrences de '{0}'</target> <note /> </trans-unit> <trans-unit id="Introduce_query_variable_for_0"> <source>Introduce query variable for '{0}'</source> <target state="translated">Introduire une variable de requête pour '{0}'</target> <note /> </trans-unit> <trans-unit id="Anonymous_Types_colon"> <source>Anonymous Types:</source> <target state="translated">Types anonymes :</target> <note /> </trans-unit> <trans-unit id="is_"> <source>is</source> <target state="translated">est</target> <note /> </trans-unit> <trans-unit id="Represents_an_object_whose_operations_will_be_resolved_at_runtime"> <source>Represents an object whose operations will be resolved at runtime.</source> <target state="translated">Représente un objet dont les opérations seront résolues au moment de l'exécution.</target> <note /> </trans-unit> <trans-unit id="constant"> <source>constant</source> <target state="translated">constante</target> <note /> </trans-unit> <trans-unit id="field"> <source>field</source> <target state="translated">Champ</target> <note /> </trans-unit> <trans-unit id="local_constant"> <source>local constant</source> <target state="translated">constante locale</target> <note /> </trans-unit> <trans-unit id="local_variable"> <source>local variable</source> <target state="translated">variable locale</target> <note /> </trans-unit> <trans-unit id="label"> <source>label</source> <target state="translated">Étiquette</target> <note /> </trans-unit> <trans-unit id="period_era"> <source>period/era</source> <target state="translated">période/ère</target> <note /> </trans-unit> <trans-unit id="period_era_description"> <source>The "g" or "gg" custom format specifiers (plus any number of additional "g" specifiers) represents the period or era, such as A.D. The formatting operation ignores this specifier if the date to be formatted doesn't have an associated period or era string. If the "g" format specifier is used without other custom format specifiers, it's interpreted as the "g" standard date and time format specifier.</source> <target state="translated">Les spécificateurs de format personnalisés "g" ou "gg" (plus n'importe quel nombre de spécificateurs "g" supplémentaires) représentent la période ou l'ère, par exemple après J.-C. L'opération qui consiste à appliquer un format ignore ce spécificateur si la date visée n'a pas de chaîne de période ou d'ère associée. Si le spécificateur de format "g" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "g".</target> <note /> </trans-unit> <trans-unit id="property_accessor"> <source>property accessor</source> <target state="new">property accessor</target> <note /> </trans-unit> <trans-unit id="range_variable"> <source>range variable</source> <target state="translated">variable de plage</target> <note /> </trans-unit> <trans-unit id="parameter"> <source>parameter</source> <target state="translated">paramètre</target> <note /> </trans-unit> <trans-unit id="in_"> <source>in</source> <target state="translated">In</target> <note /> </trans-unit> <trans-unit id="Summary_colon"> <source>Summary:</source> <target state="translated">Résumé :</target> <note /> </trans-unit> <trans-unit id="Locals_and_parameters"> <source>Locals and parameters</source> <target state="translated">Variables locales et paramètres</target> <note /> </trans-unit> <trans-unit id="Type_parameters_colon"> <source>Type parameters:</source> <target state="translated">Paramètres de type :</target> <note /> </trans-unit> <trans-unit id="Returns_colon"> <source>Returns:</source> <target state="translated">Retourne :</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Exceptions :</target> <note /> </trans-unit> <trans-unit id="Remarks_colon"> <source>Remarks:</source> <target state="translated">Remarques :</target> <note /> </trans-unit> <trans-unit id="generating_source_for_symbols_of_this_type_is_not_supported"> <source>generating source for symbols of this type is not supported</source> <target state="translated">La génération de code source pour les symboles de ce type n'est pas prise en charge</target> <note /> </trans-unit> <trans-unit id="Assembly"> <source>Assembly</source> <target state="translated">assembly</target> <note /> </trans-unit> <trans-unit id="location_unknown"> <source>location unknown</source> <target state="translated">emplacement inconnu</target> <note /> </trans-unit> <trans-unit id="Unexpected_interface_member_kind_colon_0"> <source>Unexpected interface member kind: {0}</source> <target state="translated">Genre de membre d'interface inattendu : {0}</target> <note /> </trans-unit> <trans-unit id="Unknown_symbol_kind"> <source>Unknown symbol kind</source> <target state="translated">Genre de symbole inconnu</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_property_1_0"> <source>Generate abstract property '{1}.{0}'</source> <target state="translated">Générer la propriété abstraite '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_abstract_method_1_0"> <source>Generate abstract method '{1}.{0}'</source> <target state="translated">Générer la méthode abstraite '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_method_1_0"> <source>Generate method '{1}.{0}'</source> <target state="translated">Générer la méthode '{1}.{0}'</target> <note /> </trans-unit> <trans-unit id="Requested_assembly_already_loaded_from_0"> <source>Requested assembly already loaded from '{0}'.</source> <target state="translated">L'assembly demandé est déjà chargé à partir de '{0}'.</target> <note /> </trans-unit> <trans-unit id="The_symbol_does_not_have_an_icon"> <source>The symbol does not have an icon.</source> <target state="translated">Le symbole ne possède pas d'icône.</target> <note /> </trans-unit> <trans-unit id="Asynchronous_method_cannot_have_ref_out_parameters_colon_bracket_0_bracket"> <source>Asynchronous method cannot have ref/out parameters : [{0}]</source> <target state="translated">Une méthode asynchrone ne peut pas contenir des paramètres ref/out : [{0}]</target> <note /> </trans-unit> <trans-unit id="The_member_is_defined_in_metadata"> <source>The member is defined in metadata.</source> <target state="translated">Le membre est défini dans des métadonnées.</target> <note /> </trans-unit> <trans-unit id="You_can_only_change_the_signature_of_a_constructor_indexer_method_or_delegate"> <source>You can only change the signature of a constructor, indexer, method or delegate.</source> <target state="translated">Vous pouvez seulement modifier la signature d'un constructeur, d'un indexeur, d'une méthode ou d'un délégué.</target> <note /> </trans-unit> <trans-unit id="This_symbol_has_related_definitions_or_references_in_metadata_Changing_its_signature_may_result_in_build_errors_Do_you_want_to_continue"> <source>This symbol has related definitions or references in metadata. Changing its signature may result in build errors. Do you want to continue?</source> <target state="translated">Ce symbole possède des définitions ou des références associées dans les métadonnées. La modification de sa signature peut entraîner des erreurs de build. Voulez-vous continuer ?</target> <note /> </trans-unit> <trans-unit id="Change_signature"> <source>Change signature...</source> <target state="translated">Modifier la signature...</target> <note /> </trans-unit> <trans-unit id="Generate_new_type"> <source>Generate new type...</source> <target state="translated">Générer un nouveau type...</target> <note /> </trans-unit> <trans-unit id="User_Diagnostic_Analyzer_Failure"> <source>User Diagnostic Analyzer Failure.</source> <target state="translated">Échec de l'analyseur de diagnostic utilisateur.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_an_exception_of_type_1_with_message_2"> <source>Analyzer '{0}' threw an exception of type '{1}' with message '{2}'.</source> <target state="translated">L'analyseur '{0}' a levé une exception de type {1} avec le message '{2}'.</target> <note /> </trans-unit> <trans-unit id="Analyzer_0_threw_the_following_exception_colon_1"> <source>Analyzer '{0}' threw the following exception: '{1}'.</source> <target state="translated">L'analyseur '{0}' a levé l'exception suivante : '{1}'.</target> <note /> </trans-unit> <trans-unit id="Simplify_Names"> <source>Simplify Names</source> <target state="translated">Simplifier les noms</target> <note /> </trans-unit> <trans-unit id="Simplify_Member_Access"> <source>Simplify Member Access</source> <target state="translated">Simplifier l'accès au membre</target> <note /> </trans-unit> <trans-unit id="Remove_qualification"> <source>Remove qualification</source> <target state="translated">Supprimer une qualification</target> <note /> </trans-unit> <trans-unit id="Unknown_error_occurred"> <source>Unknown error occurred</source> <target state="translated">Une erreur inconnue s'est produite</target> <note /> </trans-unit> <trans-unit id="Available"> <source>Available</source> <target state="translated">Disponibilité</target> <note /> </trans-unit> <trans-unit id="Not_Available"> <source>Not Available ⚠</source> <target state="translated">Non disponible ⚠</target> <note /> </trans-unit> <trans-unit id="_0_1"> <source> {0} - {1}</source> <target state="translated"> {0} - {1}</target> <note /> </trans-unit> <trans-unit id="in_Source"> <source>in Source</source> <target state="translated">dans la source</target> <note /> </trans-unit> <trans-unit id="in_Suppression_File"> <source>in Suppression File</source> <target state="translated">dans le fichier de suppression</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression_0"> <source>Remove Suppression {0}</source> <target state="translated">Retirer la suppression {0}</target> <note /> </trans-unit> <trans-unit id="Remove_Suppression"> <source>Remove Suppression</source> <target state="translated">Retirer la suppression</target> <note /> </trans-unit> <trans-unit id="Pending"> <source>&lt;Pending&gt;</source> <target state="translated">&lt;En attente&gt;</target> <note /> </trans-unit> <trans-unit id="Note_colon_Tab_twice_to_insert_the_0_snippet"> <source>Note: Tab twice to insert the '{0}' snippet.</source> <target state="translated">Remarque : appuyez deux fois sur la touche Tab pour insérer l'extrait de code '{0}'.</target> <note /> </trans-unit> <trans-unit id="Implement_interface_explicitly_with_Dispose_pattern"> <source>Implement interface explicitly with Dispose pattern</source> <target state="translated">Implémenter l'interface explicitement avec le modèle Dispose</target> <note /> </trans-unit> <trans-unit id="Implement_interface_with_Dispose_pattern"> <source>Implement interface with Dispose pattern</source> <target state="translated">Implémenter l'interface avec le modèle Dispose</target> <note /> </trans-unit> <trans-unit id="Re_triage_0_currently_1"> <source>Re-triage {0}(currently '{1}')</source> <target state="translated">Répétition du triage {0}(actuellement '{1}')</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_have_a_null_element"> <source>Argument cannot have a null element.</source> <target state="translated">L'argument ne peut pas avoir un élément null.</target> <note /> </trans-unit> <trans-unit id="Argument_cannot_be_empty"> <source>Argument cannot be empty.</source> <target state="translated">L'argument ne peut pas être vide.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_with_ID_0_is_not_supported_by_the_analyzer"> <source>Reported diagnostic with ID '{0}' is not supported by the analyzer.</source> <target state="translated">Le diagnostic signalé avec l'ID '{0}' n'est pas pris en charge par l'analyseur.</target> <note /> </trans-unit> <trans-unit id="Computing_fix_all_occurrences_code_fix"> <source>Computing fix all occurrences code fix...</source> <target state="translated">Calcul de la correction de toutes les occurrences (correction du code)...</target> <note /> </trans-unit> <trans-unit id="Fix_all_occurrences"> <source>Fix all occurrences</source> <target state="translated">Corriger toutes les occurrences</target> <note /> </trans-unit> <trans-unit id="Document"> <source>Document</source> <target state="translated">Document</target> <note /> </trans-unit> <trans-unit id="Project"> <source>Project</source> <target state="translated">Projet</target> <note /> </trans-unit> <trans-unit id="Solution"> <source>Solution</source> <target state="translated">Solution</target> <note /> </trans-unit> <trans-unit id="TODO_colon_dispose_managed_state_managed_objects"> <source>TODO: dispose managed state (managed objects)</source> <target state="translated">TODO: supprimer l'état managé (objets managés)</target> <note /> </trans-unit> <trans-unit id="TODO_colon_set_large_fields_to_null"> <source>TODO: set large fields to null</source> <target state="translated">TODO: affecter aux grands champs une valeur null</target> <note /> </trans-unit> <trans-unit id="Compiler2"> <source>Compiler</source> <target state="translated">Compilateur</target> <note /> </trans-unit> <trans-unit id="Live"> <source>Live</source> <target state="translated">En direct</target> <note /> </trans-unit> <trans-unit id="enum_value"> <source>enum value</source> <target state="translated">valeur enum</target> <note>{Locked="enum"} "enum" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="const_field"> <source>const field</source> <target state="translated">Champ const</target> <note>{Locked="const"} "const" is a C#/VB keyword and should not be localized.</note> </trans-unit> <trans-unit id="method"> <source>method</source> <target state="translated">méthode</target> <note /> </trans-unit> <trans-unit id="operator_"> <source>operator</source> <target state="translated">Opérateur</target> <note /> </trans-unit> <trans-unit id="constructor"> <source>constructor</source> <target state="translated">constructeur</target> <note /> </trans-unit> <trans-unit id="auto_property"> <source>auto-property</source> <target state="translated">auto-propriété</target> <note /> </trans-unit> <trans-unit id="property_"> <source>property</source> <target state="translated">propriété</target> <note /> </trans-unit> <trans-unit id="event_accessor"> <source>event accessor</source> <target state="translated">accesseur d'événement</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time"> <source>rfc1123 date/time</source> <target state="translated">date/heure (rfc1123)</target> <note /> </trans-unit> <trans-unit id="rfc1123_date_time_description"> <source>The "R" or "r" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.RFC1123Pattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">Le spécificateur de format standard "R" ou "r" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.RFC1123Pattern. Le modèle reflète une norme définie, et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "ddd, dd MMM yyyy HH':'mm':'ss 'GMT'". Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante.</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time"> <source>round-trip date/time</source> <target state="translated">date/heure (aller-retour)</target> <note /> </trans-unit> <trans-unit id="round_trip_date_time_description"> <source>The "O" or "o" standard format specifier represents a custom date and time format string using a pattern that preserves time zone information and emits a result string that complies with ISO 8601. For DateTime values, this format specifier is designed to preserve date and time values along with the DateTime.Kind property in text. The formatted string can be parsed back by using the DateTime.Parse(String, IFormatProvider, DateTimeStyles) or DateTime.ParseExact method if the styles parameter is set to DateTimeStyles.RoundtripKind. The "O" or "o" standard format specifier corresponds to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string for DateTime values and to the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" custom format string for DateTimeOffset values. In this string, the pairs of single quotation marks that delimit individual characters, such as the hyphens, the colons, and the letter "T", indicate that the individual character is a literal that cannot be changed. The apostrophes do not appear in the output string. The "O" or "o" standard format specifier (and the "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" custom format string) takes advantage of the three ways that ISO 8601 represents time zone information to preserve the Kind property of DateTime values: The time zone component of DateTimeKind.Local date and time values is an offset from UTC (for example, +01:00, -07:00). All DateTimeOffset values are also represented in this format. The time zone component of DateTimeKind.Utc date and time values uses "Z" (which stands for zero offset) to represent UTC. DateTimeKind.Unspecified date and time values have no time zone information. Because the "O" or "o" standard format specifier conforms to an international standard, the formatting or parsing operation that uses the specifier always uses the invariant culture and the Gregorian calendar. Strings that are passed to the Parse, TryParse, ParseExact, and TryParseExact methods of DateTime and DateTimeOffset can be parsed by using the "O" or "o" format specifier if they are in one of these formats. In the case of DateTime objects, the parsing overload that you call should also include a styles parameter with a value of DateTimeStyles.RoundtripKind. Note that if you call a parsing method with the custom format string that corresponds to the "O" or "o" format specifier, you won't get the same results as "O" or "o". This is because parsing methods that use a custom format string can't parse the string representation of date and time values that lack a time zone component or use "Z" to indicate UTC.</source> <target state="translated">Le spécificateur de format standard "O" ou "o" représente une chaîne de format de date et d'heure personnalisée à l'aide d'un modèle qui conserve les informations de fuseau horaire et émet une chaîne de résultat conforme à la norme ISO 8601. Pour les valeurs DateTime, ce spécificateur de format permet de conserver les valeurs de date et d'heure ainsi que la propriété DateTime.Kind au format texte. La chaîne à laquelle le format a été appliqué peut être réanalysée à l'aide de la méthode DateTime.Parse(String, IFormatProvider, DateTimeStyles) ou DateTime.ParseExact si le paramètre styles a la valeur DateTimeStyles.RoundtripKind. Le spécificateur de format standard "O" ou "o" correspond à la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK" pour les valeurs DateTime, et à la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffzzz" pour les valeurs DateTimeOffset. Dans cette chaîne, les paires de guillemets simples qui délimitent les caractères individuels, par exemple les tirets, les deux-points et la lettre "T", indiquent que le caractère individuel est un littéral qui ne peut pas être changé. Les apostrophes n'apparaissent pas dans la chaîne de sortie. Le spécificateur de format standard "O" ou "o" (avec la chaîne de format personnalisée "yyyy'-'MM'-'dd'T'HH':'mm':'ss'.'fffffffK") tire parti des trois façons dont la norme ISO 8601 représente les informations de fuseau horaire pour conserver la propriété Kind des valeurs DateTime : Le composant de fuseau horaire des valeurs de date et d'heure de DateTimeKind.Local représente un décalage par rapport à l'heure UTC (par exemple +01:00, -07:00). Toutes les valeurs de DateTimeOffset sont également représentées dans ce format. Le composant de fuseau horaire des valeurs de date et d'heure de DateTimeKind.Utc utilise "Z" (qui signifie décalage de zéro) pour représenter l'heure UTC. Les valeurs de date et d'heure de DateTimeKind.Unspecified n'ont aucune information de fuseau horaire. Dans la mesure où le spécificateur de format standard "O" ou "o" est conforme à une norme internationale, l'opération qui consiste à appliquer un format ou à exécuter une analyse en fonction du spécificateur utilise toujours la culture invariante et le calendrier grégorien. Les chaînes passées aux méthodes Parse, TryParse, ParseExact et TryParseExact de DateTime et DateTimeOffset peuvent être analysées à l'aide du spécificateur de format "O" ou "o", si elles sont dans l'un de ces formats. Dans le cas des objets DateTime, la surcharge d'analyse que vous appelez doit également inclure un paramètre styles ayant la valeur DateTimeStyles.RoundtripKind. Notez que si vous appelez une méthode d'analyse avec la chaîne de format personnalisée qui correspond au spécificateur de format "O" ou "o", vous n'obtenez pas les mêmes résultats que "O" ou "o". Cela est dû au fait que les méthodes d'analyse qui s'appuient sur une chaîne de format personnalisée ne peuvent pas analyser la représentation sous forme de chaîne des valeurs de date et d'heure qui n'ont pas de composant de fuseau horaire ou qui utilisent "Z" pour indiquer l'heure UTC.</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits"> <source>second (1-2 digits)</source> <target state="translated">seconde (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="second_1_2_digits_description"> <source>The "s" custom format specifier represents the seconds as a number from 0 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted without a leading zero. If the "s" format specifier is used without other custom format specifiers, it's interpreted as the "s" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "s" représente les secondes sous la forme d'un nombre compris entre 0 et 59. Le résultat correspond aux secondes entières qui se sont écoulées depuis la dernière minute. Une seconde à un chiffre est présentée dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "s" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "s".</target> <note /> </trans-unit> <trans-unit id="second_2_digits"> <source>second (2 digits)</source> <target state="translated">seconde (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="second_2_digits_description"> <source>The "ss" custom format specifier (plus any number of additional "s" specifiers) represents the seconds as a number from 00 through 59. The result represents whole seconds that have passed since the last minute. A single-digit second is formatted with a leading zero.</source> <target state="translated">Le spécificateur de format personnalisé "ss" (plus n'importe quel nombre de spécificateurs "s" supplémentaires) représente les secondes sous la forme d'un nombre compris entre 00 et 59. Le résultat correspond aux secondes entières qui se sont écoulées depuis la dernière minute. Une seconde à un chiffre est présentée dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="short_date"> <source>short date</source> <target state="translated">date courte</target> <note /> </trans-unit> <trans-unit id="short_date_description"> <source>The "d" standard format specifier represents a custom date and time format string that is defined by a specific culture's DateTimeFormatInfo.ShortDatePattern property. For example, the custom format string that is returned by the ShortDatePattern property of the invariant culture is "MM/dd/yyyy".</source> <target state="translated">Le spécificateur de format standard "d" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.ShortDatePattern d'une culture spécifique. Par exemple, la chaîne de format personnalisée retournée par la propriété ShortDatePattern de la culture invariante est "MM/dd/yyyy".</target> <note /> </trans-unit> <trans-unit id="short_time"> <source>short time</source> <target state="translated">heure courte</target> <note /> </trans-unit> <trans-unit id="short_time_description"> <source>The "t" standard format specifier represents a custom date and time format string that is defined by the current DateTimeFormatInfo.ShortTimePattern property. For example, the custom format string for the invariant culture is "HH:mm".</source> <target state="translated">Le spécificateur de format standard "t" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.ShortTimePattern actuelle. Par exemple, la chaîne de format personnalisée pour la culture invariante est "HH:mm".</target> <note /> </trans-unit> <trans-unit id="sortable_date_time"> <source>sortable date/time</source> <target state="translated">date/heure pouvant être triée</target> <note /> </trans-unit> <trans-unit id="sortable_date_time_description"> <source>The "s" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.SortableDateTimePattern property. The pattern reflects a defined standard (ISO 8601), and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd'T'HH':'mm':'ss". The purpose of the "s" format specifier is to produce result strings that sort consistently in ascending or descending order based on date and time values. As a result, although the "s" standard format specifier represents a date and time value in a consistent format, the formatting operation does not modify the value of the date and time object that is being formatted to reflect its DateTime.Kind property or its DateTimeOffset.Offset value. For example, the result strings produced by formatting the date and time values 2014-11-15T18:32:17+00:00 and 2014-11-15T18:32:17+08:00 are identical. When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture.</source> <target state="translated">Le spécificateur de format standard "s" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.SortableDateTimePattern. Le modèle reflète une norme définie (ISO 8601), et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "yyyy'-'MM'-'dd'T'HH':'mm':'ss". Le spécificateur de format "s" a pour but de produire des chaînes triées de manière cohérente dans l'ordre croissant ou décroissant en fonction des valeurs de date et d'heure. Ainsi, bien que le spécificateur de format standard "s" représente une valeur de date et d'heure dans un format cohérent, l'opération qui consiste à appliquer un format ne modifie pas la valeur de l'objet de date et d'heure visé pour refléter sa propriété DateTime.Kind ou sa valeur DateTimeOffset.Offset. Par exemple, les chaînes qui résultent de l'application du format souhaité aux valeurs de date et d'heure 2014-11-15T18:32:17+00:00 et 2014-11-15T18:32:17+08:00 sont identiques. Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante.</target> <note /> </trans-unit> <trans-unit id="static_constructor"> <source>static constructor</source> <target state="translated">constructeur statique</target> <note /> </trans-unit> <trans-unit id="symbol_cannot_be_a_namespace"> <source>'symbol' cannot be a namespace.</source> <target state="translated">'symbol' ne peut pas être un espace de noms.</target> <note /> </trans-unit> <trans-unit id="time_separator"> <source>time separator</source> <target state="translated">séparateur d'heure</target> <note /> </trans-unit> <trans-unit id="time_separator_description"> <source>The ":" custom format specifier represents the time separator, which is used to differentiate hours, minutes, and seconds. The appropriate localized time separator is retrieved from the DateTimeFormatInfo.TimeSeparator property of the current or specified culture. Note: To change the time separator for a particular date and time string, specify the separator character within a literal string delimiter. For example, the custom format string hh'_'dd'_'ss produces a result string in which "_" (an underscore) is always used as the time separator. To change the time separator for all dates for a culture, either change the value of the DateTimeFormatInfo.TimeSeparator property of the current culture, or instantiate a DateTimeFormatInfo object, assign the character to its TimeSeparator property, and call an overload of the formatting method that includes an IFormatProvider parameter. If the ":" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé ":" représente le séparateur d'heure, qui est utilisé pour différencier les heures, les minutes et les secondes. Le séparateur d'heure localisé approprié est récupéré à partir de la propriété DateTimeFormatInfo.TimeSeparator de la culture actuelle ou spécifiée. Remarque : Pour changer le séparateur d'heure d'une chaîne de date et d'heure particulière, spécifiez le caractère de séparation dans un délimiteur de chaîne littérale. Par exemple, la chaîne de format personnalisée hh'_'dd'_'ss produit une chaîne de résultat dans laquelle "_" (trait de soulignement) est toujours utilisé en tant que séparateur d'heure. Pour changer le séparateur d'heure de toutes les heures d'une culture, changez la valeur de la propriété DateTimeFormatInfo.TimeSeparator de la culture actuelle, ou instanciez un objet DateTimeFormatInfo, affectez le caractère à sa propriété TimeSeparator, puis appelez une surcharge de la méthode de format qui inclut un paramètre IFormatProvider. Si le spécificateur de format ":" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="time_zone"> <source>time zone</source> <target state="translated">fuseau horaire</target> <note /> </trans-unit> <trans-unit id="time_zone_description"> <source>The "K" custom format specifier represents the time zone information of a date and time value. When this format specifier is used with DateTime values, the result string is defined by the value of the DateTime.Kind property: For the local time zone (a DateTime.Kind property value of DateTimeKind.Local), this specifier is equivalent to the "zzz" specifier and produces a result string containing the local offset from Coordinated Universal Time (UTC); for example, "-07:00". For a UTC time (a DateTime.Kind property value of DateTimeKind.Utc), the result string includes a "Z" character to represent a UTC date. For a time from an unspecified time zone (a time whose DateTime.Kind property equals DateTimeKind.Unspecified), the result is equivalent to String.Empty. For DateTimeOffset values, the "K" format specifier is equivalent to the "zzz" format specifier, and produces a result string containing the DateTimeOffset value's offset from UTC. If the "K" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Le spécificateur de format personnalisé "K" représente les informations de fuseau horaire d'une valeur de date et d'heure. Quand ce spécificateur de format est utilisé avec des valeurs DateTime, la chaîne résultante est définie par la valeur de la propriété DateTime.Kind : Pour le fuseau horaire local (valeur de propriété DateTime.Kind de DateTimeKind.Local), ce spécificateur est équivalent au spécificateur "zzz". Il produit une chaîne contenant le décalage local par rapport à l'heure UTC, par exemple "-07:00". Pour une heure UTC (valeur de propriété DateTime.Kind de DateTimeKind.Utc), la chaîne résultante inclut un caractère "Z" qui représente une date UTC. Pour une heure provenant d'un fuseau horaire non spécifié (heure dont la propriété DateTime.Kind est égale à DateTimeKind.Unspecified), le résultat est équivalent à String.Empty. Pour les valeurs DateTimeOffset, le spécificateur de format "K" est équivalent au spécificateur de format "zzz". Il produit une chaîne qui contient le décalage de la valeur DateTimeOffset par rapport à l'heure UTC. Si le spécificateur de format "K" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="type"> <source>type</source> <target state="new">type</target> <note /> </trans-unit> <trans-unit id="type_constraint"> <source>type constraint</source> <target state="translated">contrainte de type</target> <note /> </trans-unit> <trans-unit id="type_parameter"> <source>type parameter</source> <target state="translated">paramètre de type</target> <note /> </trans-unit> <trans-unit id="attribute"> <source>attribute</source> <target state="translated">attribut</target> <note /> </trans-unit> <trans-unit id="Replace_0_and_1_with_property"> <source>Replace '{0}' and '{1}' with property</source> <target state="translated">Remplacer '{0}' et '{1}' par une propriété</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_property"> <source>Replace '{0}' with property</source> <target state="translated">Remplacer '{0}' par une propriété</target> <note /> </trans-unit> <trans-unit id="Method_referenced_implicitly"> <source>Method referenced implicitly</source> <target state="translated">Méthode référencée implicitement</target> <note /> </trans-unit> <trans-unit id="Generate_type_0"> <source>Generate type '{0}'</source> <target state="translated">Générer le type '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_0_1"> <source>Generate {0} '{1}'</source> <target state="translated">Générer {0} '{1}'</target> <note /> </trans-unit> <trans-unit id="Change_0_to_1"> <source>Change '{0}' to '{1}'.</source> <target state="translated">Changer '{0}' en '{1}'.</target> <note /> </trans-unit> <trans-unit id="Non_invoked_method_cannot_be_replaced_with_property"> <source>Non-invoked method cannot be replaced with property.</source> <target state="translated">Une méthode non appelée ne peut pas être remplacée par une propriété.</target> <note /> </trans-unit> <trans-unit id="Only_methods_with_a_single_argument_which_is_not_an_out_variable_declaration_can_be_replaced_with_a_property"> <source>Only methods with a single argument, which is not an out variable declaration, can be replaced with a property.</source> <target state="translated">Seules les méthodes avec un seul argument, qui n'est pas une déclaration de variable de sortie, peuvent être remplacées par une propriété.</target> <note /> </trans-unit> <trans-unit id="Roslyn_HostError"> <source>Roslyn.HostError</source> <target state="translated">Roslyn.HostError</target> <note /> </trans-unit> <trans-unit id="An_instance_of_analyzer_0_cannot_be_created_from_1_colon_2"> <source>An instance of analyzer {0} cannot be created from {1}: {2}.</source> <target state="translated">Impossible de créer une instance de l'analyseur {0} à partir de {1} : {2}.</target> <note /> </trans-unit> <trans-unit id="The_assembly_0_does_not_contain_any_analyzers"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">L'assembly {0} ne contient pas d'analyseurs.</target> <note /> </trans-unit> <trans-unit id="Unable_to_load_Analyzer_assembly_0_colon_1"> <source>Unable to load Analyzer assembly {0}: {1}</source> <target state="translated">Impossible de charger l'assembly Analyseur {0} : {1}</target> <note /> </trans-unit> <trans-unit id="Make_method_synchronous"> <source>Make method synchronous</source> <target state="translated">Rendre la méthode synchrone</target> <note /> </trans-unit> <trans-unit id="from_0"> <source>from {0}</source> <target state="translated">de {0}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version"> <source>Find and install latest version</source> <target state="translated">Rechercher et installer la dernière version</target> <note /> </trans-unit> <trans-unit id="Use_local_version_0"> <source>Use local version '{0}'</source> <target state="translated">Utiliser la version locale '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_locally_installed_0_version_1_This_version_used_in_colon_2"> <source>Use locally installed '{0}' version '{1}' This version used in: {2}</source> <target state="translated">Utiliser la version installée localement '{0}' '{1}' Version utilisée dans : {2}</target> <note /> </trans-unit> <trans-unit id="Find_and_install_latest_version_of_0"> <source>Find and install latest version of '{0}'</source> <target state="translated">Rechercher et installer la dernière version de '{0}'</target> <note /> </trans-unit> <trans-unit id="Install_with_package_manager"> <source>Install with package manager...</source> <target state="translated">Installer avec le gestionnaire de package...</target> <note /> </trans-unit> <trans-unit id="Install_0_1"> <source>Install '{0} {1}'</source> <target state="translated">Installer '{0} {1}'</target> <note /> </trans-unit> <trans-unit id="Install_version_0"> <source>Install version '{0}'</source> <target state="translated">Installer la version '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_variable_0"> <source>Generate variable '{0}'</source> <target state="translated">Générer la variable '{0}'</target> <note /> </trans-unit> <trans-unit id="Classes"> <source>Classes</source> <target state="translated">Classes</target> <note /> </trans-unit> <trans-unit id="Constants"> <source>Constants</source> <target state="translated">Constantes</target> <note /> </trans-unit> <trans-unit id="Delegates"> <source>Delegates</source> <target state="translated">Délégués</target> <note /> </trans-unit> <trans-unit id="Enums"> <source>Enums</source> <target state="translated">Enums</target> <note /> </trans-unit> <trans-unit id="Events"> <source>Events</source> <target state="translated">Événements</target> <note /> </trans-unit> <trans-unit id="Extension_methods"> <source>Extension methods</source> <target state="translated">Méthodes d'extension</target> <note /> </trans-unit> <trans-unit id="Fields"> <source>Fields</source> <target state="translated">Champs</target> <note /> </trans-unit> <trans-unit id="Interfaces"> <source>Interfaces</source> <target state="translated">Interfaces</target> <note /> </trans-unit> <trans-unit id="Locals"> <source>Locals</source> <target state="translated">Variables locales</target> <note /> </trans-unit> <trans-unit id="Methods"> <source>Methods</source> <target state="translated">Méthodes</target> <note /> </trans-unit> <trans-unit id="Modules"> <source>Modules</source> <target state="translated">Modules</target> <note /> </trans-unit> <trans-unit id="Namespaces"> <source>Namespaces</source> <target state="translated">Espaces de noms</target> <note /> </trans-unit> <trans-unit id="Properties"> <source>Properties</source> <target state="translated">Propriétés</target> <note /> </trans-unit> <trans-unit id="Structures"> <source>Structures</source> <target state="translated">Structures</target> <note /> </trans-unit> <trans-unit id="Parameters_colon"> <source>Parameters:</source> <target state="translated">Paramètres :</target> <note /> </trans-unit> <trans-unit id="Variadic_SignatureHelpItem_must_have_at_least_one_parameter"> <source>Variadic SignatureHelpItem must have at least one parameter.</source> <target state="translated">L'élément SignatureHelpItem variadique doit avoir au moins un paramètre.</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_method"> <source>Replace '{0}' with method</source> <target state="translated">Remplacer '{0}' par une méthode</target> <note /> </trans-unit> <trans-unit id="Replace_0_with_methods"> <source>Replace '{0}' with methods</source> <target state="translated">Remplacer '{0}' par des méthodes</target> <note /> </trans-unit> <trans-unit id="Property_referenced_implicitly"> <source>Property referenced implicitly</source> <target state="translated">Propriété référencée implicitement</target> <note /> </trans-unit> <trans-unit id="Property_cannot_safely_be_replaced_with_a_method_call"> <source>Property cannot safely be replaced with a method call</source> <target state="translated">Impossible de remplacer la propriété de manière sécurisée par un appel de méthode</target> <note /> </trans-unit> <trans-unit id="Convert_to_interpolated_string"> <source>Convert to interpolated string</source> <target state="translated">Convertir en chaîne interpolée</target> <note /> </trans-unit> <trans-unit id="Move_type_to_0"> <source>Move type to {0}</source> <target state="translated">Déplacer le type vers {0}</target> <note /> </trans-unit> <trans-unit id="Rename_file_to_0"> <source>Rename file to {0}</source> <target state="translated">Renommer le fichier en {0}</target> <note /> </trans-unit> <trans-unit id="Rename_type_to_0"> <source>Rename type to {0}</source> <target state="translated">Renommer le type en {0}</target> <note /> </trans-unit> <trans-unit id="Remove_tag"> <source>Remove tag</source> <target state="translated">Supprimer une étiquette</target> <note /> </trans-unit> <trans-unit id="Add_missing_param_nodes"> <source>Add missing param nodes</source> <target state="translated">Ajouter les nœuds de paramètre manquants</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async"> <source>Make containing scope async</source> <target state="translated">Rendre la portée contenante async</target> <note /> </trans-unit> <trans-unit id="Make_containing_scope_async_return_Task"> <source>Make containing scope async (return Task)</source> <target state="translated">Rendre la portée contenante async (retourner Task)</target> <note /> </trans-unit> <trans-unit id="paren_Unknown_paren"> <source>(Unknown)</source> <target state="translated">(Inconnu)</target> <note /> </trans-unit> <trans-unit id="Use_framework_type"> <source>Use framework type</source> <target state="translated">Utiliser un type d'infrastructure</target> <note /> </trans-unit> <trans-unit id="Install_package_0"> <source>Install package '{0}'</source> <target state="translated">Installer le package '{0}'</target> <note /> </trans-unit> <trans-unit id="project_0"> <source>project {0}</source> <target state="translated">projet {0}</target> <note /> </trans-unit> <trans-unit id="Fully_qualify_0"> <source>Fully qualify '{0}'</source> <target state="translated">{0}' complet</target> <note /> </trans-unit> <trans-unit id="Remove_reference_to_0"> <source>Remove reference to '{0}'.</source> <target state="translated">Supprimez la référence à '{0}'.</target> <note /> </trans-unit> <trans-unit id="Keywords"> <source>Keywords</source> <target state="translated">Mots clés</target> <note /> </trans-unit> <trans-unit id="Snippets"> <source>Snippets</source> <target state="translated">Extraits</target> <note /> </trans-unit> <trans-unit id="All_lowercase"> <source>All lowercase</source> <target state="translated">Tout en minuscules</target> <note /> </trans-unit> <trans-unit id="All_uppercase"> <source>All uppercase</source> <target state="translated">Tout en majuscules</target> <note /> </trans-unit> <trans-unit id="First_word_capitalized"> <source>First word capitalized</source> <target state="translated">Premier mot en majuscule</target> <note /> </trans-unit> <trans-unit id="Pascal_Case"> <source>Pascal Case</source> <target state="translated">Casse Pascal</target> <note /> </trans-unit> <trans-unit id="Remove_document_0"> <source>Remove document '{0}'</source> <target state="translated">Supprimer le document '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_document_0"> <source>Add document '{0}'</source> <target state="translated">Ajouter le document '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0"> <source>Add argument name '{0}'</source> <target state="translated">Ajouter le nom d'argument '{0}'</target> <note /> </trans-unit> <trans-unit id="Take_0"> <source>Take '{0}'</source> <target state="translated">Prendre '{0}'</target> <note /> </trans-unit> <trans-unit id="Take_both"> <source>Take both</source> <target state="translated">Prendre les deux</target> <note /> </trans-unit> <trans-unit id="Take_bottom"> <source>Take bottom</source> <target state="translated">Prendre le bas</target> <note /> </trans-unit> <trans-unit id="Take_top"> <source>Take top</source> <target state="translated">Prendre le haut</target> <note /> </trans-unit> <trans-unit id="Remove_unused_variable"> <source>Remove unused variable</source> <target state="translated">Supprimer la variable inutilisée</target> <note /> </trans-unit> <trans-unit id="Convert_to_binary"> <source>Convert to binary</source> <target state="translated">Convertir en valeur binaire</target> <note /> </trans-unit> <trans-unit id="Convert_to_decimal"> <source>Convert to decimal</source> <target state="translated">Convertir en valeur décimale</target> <note /> </trans-unit> <trans-unit id="Convert_to_hex"> <source>Convert to hex</source> <target state="translated">Convertir en hexadécimal</target> <note /> </trans-unit> <trans-unit id="Separate_thousands"> <source>Separate thousands</source> <target state="translated">Séparer les milliers</target> <note /> </trans-unit> <trans-unit id="Separate_words"> <source>Separate words</source> <target state="translated">Séparer les mots</target> <note /> </trans-unit> <trans-unit id="Separate_nibbles"> <source>Separate nibbles</source> <target state="translated">Séparer les quartets</target> <note /> </trans-unit> <trans-unit id="Remove_separators"> <source>Remove separators</source> <target state="translated">Supprimer les séparateurs</target> <note /> </trans-unit> <trans-unit id="Add_parameter_to_0"> <source>Add parameter to '{0}'</source> <target state="translated">Ajouter un paramètre à '{0}'</target> <note /> </trans-unit> <trans-unit id="Generate_constructor"> <source>Generate constructor...</source> <target state="translated">Générer le constructeur...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_as_constructor_parameters"> <source>Pick members to be used as constructor parameters</source> <target state="translated">Choisir les membres à utiliser comme paramètres de constructeur</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_be_used_in_Equals_GetHashCode"> <source>Pick members to be used in Equals/GetHashCode</source> <target state="translated">Choisir les membres à utiliser dans Equals/GetHashCode</target> <note /> </trans-unit> <trans-unit id="Generate_overrides"> <source>Generate overrides...</source> <target state="translated">Générer les substitutions...</target> <note /> </trans-unit> <trans-unit id="Pick_members_to_override"> <source>Pick members to override</source> <target state="translated">Choisir les membres à substituer</target> <note /> </trans-unit> <trans-unit id="Add_null_check"> <source>Add null check</source> <target state="translated">Ajouter un contrôle de valeur null</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrEmpty_check"> <source>Add 'string.IsNullOrEmpty' check</source> <target state="translated">Ajouter le contrôle 'string.IsNullOrEmpty'</target> <note /> </trans-unit> <trans-unit id="Add_string_IsNullOrWhiteSpace_check"> <source>Add 'string.IsNullOrWhiteSpace' check</source> <target state="translated">Ajouter le contrôle 'string.IsNullOrWhiteSpace'</target> <note /> </trans-unit> <trans-unit id="Initialize_field_0"> <source>Initialize field '{0}'</source> <target state="translated">Initialiser le champ '{0}'</target> <note /> </trans-unit> <trans-unit id="Initialize_property_0"> <source>Initialize property '{0}'</source> <target state="translated">Initialiser la propriété '{0}'</target> <note /> </trans-unit> <trans-unit id="Add_null_checks"> <source>Add null checks</source> <target state="translated">Ajouter des contrôles de valeur null</target> <note /> </trans-unit> <trans-unit id="Generate_operators"> <source>Generate operators</source> <target state="translated">Générer les opérateurs</target> <note /> </trans-unit> <trans-unit id="Implement_0"> <source>Implement {0}</source> <target state="translated">Implémenter {0}</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_in_file_1_which_is_not_part_of_the_compilation_being_analyzed"> <source>Reported diagnostic '{0}' has a source location in file '{1}', which is not part of the compilation being analyzed.</source> <target state="translated">Le diagnostic signalé '{0}' a un emplacement source dans le fichier '{1}', qui ne fait pas partie de la compilation en cours d'analyse.</target> <note /> </trans-unit> <trans-unit id="Reported_diagnostic_0_has_a_source_location_1_in_file_2_which_is_outside_of_the_given_file"> <source>Reported diagnostic '{0}' has a source location '{1}' in file '{2}', which is outside of the given file.</source> <target state="translated">Le diagnostic signalé '{0}' a un emplacement source '{1}' dans le fichier '{2}', qui se trouve en dehors du fichier donné.</target> <note /> </trans-unit> <trans-unit id="in_0_project_1"> <source>in {0} (project {1})</source> <target state="translated">dans {0} (projet {1})</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Ajouter des modificateurs d'accessibilité</target> <note /> </trans-unit> <trans-unit id="Move_declaration_near_reference"> <source>Move declaration near reference</source> <target state="translated">Déplacer la déclaration près de la référence</target> <note /> </trans-unit> <trans-unit id="Convert_to_full_property"> <source>Convert to full property</source> <target state="translated">Convertir en propriété complète</target> <note /> </trans-unit> <trans-unit id="Warning_Method_overrides_symbol_from_metadata"> <source>Warning: Method overrides symbol from metadata</source> <target state="translated">Avertissement : La méthode remplace le symbole des métadonnées</target> <note /> </trans-unit> <trans-unit id="Use_0"> <source>Use {0}</source> <target state="translated">Utiliser {0}</target> <note /> </trans-unit> <trans-unit id="Add_argument_name_0_including_trailing_arguments"> <source>Add argument name '{0}' (including trailing arguments)</source> <target state="translated">Ajouter le nom d'argument '{0}' (ainsi que les arguments de fin)</target> <note /> </trans-unit> <trans-unit id="local_function"> <source>local function</source> <target state="translated">fonction locale</target> <note /> </trans-unit> <trans-unit id="indexer_"> <source>indexer</source> <target state="translated">indexeur</target> <note /> </trans-unit> <trans-unit id="Alias_ambiguous_type_0"> <source>Alias ambiguous type '{0}'</source> <target state="translated">Alias de type ambigu : '{0}'</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_was_modified_during_iteration"> <source>Warning: Collection was modified during iteration.</source> <target state="translated">Avertissement : La collection a été modifiée durant l'itération.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Iteration_variable_crossed_function_boundary"> <source>Warning: Iteration variable crossed function boundary.</source> <target state="translated">Avertissement : La variable d'itération a traversé la limite de fonction.</target> <note /> </trans-unit> <trans-unit id="Warning_colon_Collection_may_be_modified_during_iteration"> <source>Warning: Collection may be modified during iteration.</source> <target state="translated">Avertissement : La collection risque d'être modifiée durant l'itération.</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time"> <source>universal full date/time</source> <target state="translated">date/heure complète universelle</target> <note /> </trans-unit> <trans-unit id="universal_full_date_time_description"> <source>The "U" standard format specifier represents a custom date and time format string that is defined by a specified culture's DateTimeFormatInfo.FullDateTimePattern property. The pattern is the same as the "F" pattern. However, the DateTime value is automatically converted to UTC before it is formatted.</source> <target state="translated">Le spécificateur de format standard "U" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.FullDateTimePattern d'une culture spécifique. Le modèle est identique au modèle "F". Toutefois, la valeur DateTime est automatiquement convertie en heure UTC avant que le format souhaité ne lui soit appliqué.</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time"> <source>universal sortable date/time</source> <target state="translated">date/heure universelle pouvant être triée</target> <note /> </trans-unit> <trans-unit id="universal_sortable_date_time_description"> <source>The "u" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.UniversalSortableDateTimePattern property. The pattern reflects a defined standard, and the property is read-only. Therefore, it is always the same, regardless of the culture used or the format provider supplied. The custom format string is "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". When this standard format specifier is used, the formatting or parsing operation always uses the invariant culture. Although the result string should express a time as Coordinated Universal Time (UTC), no conversion of the original DateTime value is performed during the formatting operation. Therefore, you must convert a DateTime value to UTC by calling the DateTime.ToUniversalTime method before formatting it.</source> <target state="translated">Le spécificateur de format standard "u" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.UniversalSortableDateTimePattern. Le modèle reflète une norme définie, et la propriété est en lecture seule. Elle est donc toujours identique, quelle que soit la culture utilisée ou le fournisseur de format indiqué. La chaîne de format personnalisée est "yyyy'-'MM'-'dd HH':'mm':'ss'Z'". Quand ce spécificateur de format standard est utilisé, l'opération qui consiste à appliquer un format ou à exécuter une analyse utilise toujours la culture invariante. Bien que la chaîne résultante soit censée exprimer une heure UTC, aucune conversion de la valeur DateTime d'origine n'est effectuée durant l'opération qui consiste à appliquer le format souhaité. Vous devez donc convertir une valeur DateTime au format UTC en appelant la méthode DateTime.ToUniversalTime avant de lui appliquer le format souhaité.</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_member"> <source>updating usages in containing member</source> <target state="translated">mise à jour des utilisations dans le membre conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_project"> <source>updating usages in containing project</source> <target state="translated">mise à jour des utilisations dans le projet conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_containing_type"> <source>updating usages in containing type</source> <target state="translated">mise à jour des utilisations dans le type conteneur</target> <note /> </trans-unit> <trans-unit id="updating_usages_in_dependent_projects"> <source>updating usages in dependent projects</source> <target state="translated">mise à jour des utilisations dans les projets dépendants</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset"> <source>utc hour and minute offset</source> <target state="translated">décalage des heures et des minutes UTC</target> <note /> </trans-unit> <trans-unit id="utc_hour_and_minute_offset_description"> <source>With DateTime values, the "zzz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours and minutes. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zzz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours and minutes. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "zzz" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures et en minutes. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "zzz" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures et en minutes. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits"> <source>utc hour offset (1-2 digits)</source> <target state="translated">décalage des heures UTC (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_1_2_digits_description"> <source>With DateTime values, the "z" custom format specifier represents the signed offset of the local operating system's time zone from Coordinated Universal Time (UTC), measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "z" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted without a leading zero. If the "z" format specifier is used without other custom format specifiers, it's interpreted as a standard date and time format specifier and throws a FormatException.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "z" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "z" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "z" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard, et lève une exception FormatException.</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits"> <source>utc hour offset (2 digits)</source> <target state="translated">décalage des heures UTC (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="utc_hour_offset_2_digits_description"> <source>With DateTime values, the "zz" custom format specifier represents the signed offset of the local operating system's time zone from UTC, measured in hours. It doesn't reflect the value of an instance's DateTime.Kind property. For this reason, the "zz" format specifier is not recommended for use with DateTime values. With DateTimeOffset values, this format specifier represents the DateTimeOffset value's offset from UTC in hours. The offset is always displayed with a leading sign. A plus sign (+) indicates hours ahead of UTC, and a minus sign (-) indicates hours behind UTC. A single-digit offset is formatted with a leading zero.</source> <target state="translated">Avec les valeurs DateTime, le spécificateur de format personnalisé "zz" représente le décalage signé du fuseau horaire du système d'exploitation local par rapport à l'heure UTC, en heures. Il ne reflète pas la valeur de la propriété DateTime.Kind d'une instance. C'est la raison pour laquelle l'utilisation du spécificateur de format "zz" n'est pas recommandée avec les valeurs DateTime. Avec les valeurs DateTimeOffset, ce spécificateur de format représente le décalage de la valeur DateTimeOffset par rapport à l'heure UTC, en heures. Le décalage est toujours affiché avec un signe de début. Le signe plus (+) indique les heures d'avance par rapport à l'heure UTC, et le signe moins (-) indique les heures de retard par rapport à l'heure UTC. Un décalage à un chiffre est présenté dans un format qui comporte un zéro de début.</target> <note /> </trans-unit> <trans-unit id="x_y_range_in_reverse_order"> <source>[x-y] range in reverse order</source> <target state="translated">Intervalle [x-y] dans l'ordre inverse</target> <note>This is an error message shown to the user when they write an invalid Regular Expression. Example: [b-a]</note> </trans-unit> <trans-unit id="year_1_2_digits"> <source>year (1-2 digits)</source> <target state="translated">année (1 à 2 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_1_2_digits_description"> <source>The "y" custom format specifier represents the year as a one-digit or two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the first digit of a two-digit year begins with a zero (for example, 2008), the number is formatted without a leading zero. If the "y" format specifier is used without other custom format specifiers, it's interpreted as the "y" standard date and time format specifier.</source> <target state="translated">Le spécificateur de format personnalisé "y" représente l'année sous la forme d'un nombre à un ou deux chiffres. Si l'année comporte plus de deux chiffres, seuls les deux chiffres de poids faible apparaissent dans le résultat. Si le premier chiffre d'une année à deux chiffres commence par un zéro (par exemple 2008), le nombre est présenté dans un format qui ne comporte aucun zéro de début. Si le spécificateur de format "y" est utilisé sans autres spécificateurs de format personnalisés, il est interprété en tant que spécificateur de format de date et d'heure standard : "y".</target> <note /> </trans-unit> <trans-unit id="year_2_digits"> <source>year (2 digits)</source> <target state="translated">année (2 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_2_digits_description"> <source>The "yy" custom format specifier represents the year as a two-digit number. If the year has more than two digits, only the two low-order digits appear in the result. If the two-digit year has fewer than two significant digits, the number is padded with leading zeros to produce two digits. In a parsing operation, a two-digit year that is parsed using the "yy" custom format specifier is interpreted based on the Calendar.TwoDigitYearMax property of the format provider's current calendar. The following example parses the string representation of a date that has a two-digit year by using the default Gregorian calendar of the en-US culture, which, in this case, is the current culture. It then changes the current culture's CultureInfo object to use a GregorianCalendar object whose TwoDigitYearMax property has been modified.</source> <target state="translated">Le spécificateur de format personnalisé "yy" représente l'année sous la forme d'un nombre à deux chiffres. Si l'année comporte plus de deux chiffres, seuls les deux chiffres de poids faible apparaissent dans le résultat. Si l'année à deux chiffres comporte moins de deux chiffres significatifs, la valeur numérique est complétée avec des zéros de début pour produire deux chiffres. Dans une opération d'analyse, une année à deux chiffres analysée à l'aide du spécificateur de format personnalisé "yy" est interprétée en fonction de la propriété Calendar.TwoDigitYearMax du calendrier actuel du fournisseur de format. L'exemple suivant analyse la représentation sous forme de chaîne d'une date qui comporte une année à deux chiffres, à l'aide du calendrier grégorien par défaut de la culture en-US, qui, dans le cas présent, correspond à la culture actuelle. Il change ensuite l'objet CultureInfo de la culture actuelle pour utiliser un objet GregorianCalendar dont la propriété TwoDigitYearMax a été modifiée.</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits"> <source>year (3-4 digits)</source> <target state="translated">année (3 à 4 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_3_4_digits_description"> <source>The "yyy" custom format specifier represents the year with a minimum of three digits. If the year has more than three significant digits, they are included in the result string. If the year has fewer than three digits, the number is padded with leading zeros to produce three digits.</source> <target state="translated">Le spécificateur de format personnalisé "yyy" représente l'année sous la forme d'un nombre à trois chiffres au minimum. Si l'année comporte plus de trois chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de trois chiffres, la valeur numérique est complétée avec des zéros de début pour produire trois chiffres.</target> <note /> </trans-unit> <trans-unit id="year_4_digits"> <source>year (4 digits)</source> <target state="translated">année (4 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_4_digits_description"> <source>The "yyyy" custom format specifier represents the year with a minimum of four digits. If the year has more than four significant digits, they are included in the result string. If the year has fewer than four digits, the number is padded with leading zeros to produce four digits.</source> <target state="translated">Le spécificateur de format personnalisé "yyyy" représente l'année sous la forme d'un nombre à quatre chiffres au minimum. Si l'année comporte plus de quatre chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de quatre chiffres, la valeur numérique est complétée avec des zéros de début pour produire quatre chiffres.</target> <note /> </trans-unit> <trans-unit id="year_5_digits"> <source>year (5 digits)</source> <target state="translated">année (5 chiffres)</target> <note /> </trans-unit> <trans-unit id="year_5_digits_description"> <source>The "yyyyy" custom format specifier (plus any number of additional "y" specifiers) represents the year with a minimum of five digits. If the year has more than five significant digits, they are included in the result string. If the year has fewer than five digits, the number is padded with leading zeros to produce five digits. If there are additional "y" specifiers, the number is padded with as many leading zeros as necessary to produce the number of "y" specifiers.</source> <target state="translated">Le spécificateur de format personnalisé "yyyyy" (plus n'importe quel nombre de spécificateurs "y" supplémentaires) représente l'année sous la forme d'un nombre à cinq chiffres au minimum. Si l'année comporte plus de cinq chiffres significatifs, ils sont inclus dans la chaîne résultante. Si l'année comporte moins de cinq chiffres, la valeur numérique est complétée avec des zéros de début pour produire cinq chiffres. S'il existe des spécificateurs "y" supplémentaires, la valeur numérique est complétée avec autant de zéros de début que nécessaire pour produire le nombre de spécificateurs "y".</target> <note /> </trans-unit> <trans-unit id="year_month"> <source>year month</source> <target state="translated">année mois</target> <note /> </trans-unit> <trans-unit id="year_month_description"> <source>The "Y" or "y" standard format specifier represents a custom date and time format string that is defined by the DateTimeFormatInfo.YearMonthPattern property of a specified culture. For example, the custom format string for the invariant culture is "yyyy MMMM".</source> <target state="translated">Le spécificateur de format standard "Y" ou "y" représente une chaîne de format de date et d'heure personnalisée, qui est définie par la propriété DateTimeFormatInfo.YearMonthPattern de la culture spécifiée. Par exemple, la chaîne de format personnalisée pour la culture invariante est "yyyy MMMM".</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/Core/xlf/EditorFeaturesResources.pt-BR.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pt-BR" original="../EditorFeaturesResources.resx"> <body> <trans-unit id="All_methods"> <source>All methods</source> <target state="translated">Todos os métodos</target> <note /> </trans-unit> <trans-unit id="Always_for_clarity"> <source>Always for clarity</source> <target state="translated">Sempre para esclarecimento</target> <note /> </trans-unit> <trans-unit id="An_inline_rename_session_is_active_for_identifier_0"> <source>An inline rename session is active for identifier '{0}'. Invoke inline rename again to access additional options. You may continue to edit the identifier being renamed at any time.</source> <target state="translated">Uma sessão de renomeação embutida está ativa para o identificador '{0}'. Invoque a renomeação embutida novamente para acessar opções adicionais. Você pode continuar a editar o identificador que está sendo renomeado a qualquer momento.</target> <note>For screenreaders. {0} is the identifier being renamed.</note> </trans-unit> <trans-unit id="Applying_changes"> <source>Applying changes</source> <target state="translated">Aplicando mudanças</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_parameters"> <source>Avoid unused parameters</source> <target state="translated">Evitar parâmetros não utilizados</target> <note /> </trans-unit> <trans-unit id="Change_configuration"> <source>Change configuration</source> <target state="translated">Alterar configuração</target> <note /> </trans-unit> <trans-unit id="Code_cleanup_is_not_configured"> <source>Code cleanup is not configured</source> <target state="translated">A limpeza de código não está configurada</target> <note /> </trans-unit> <trans-unit id="Configure_it_now"> <source>Configure it now</source> <target state="translated">Configurar agora</target> <note /> </trans-unit> <trans-unit id="Do_not_prefer_this_or_Me"> <source>Do not prefer 'this.' or 'Me.'</source> <target state="translated">Não preferir 'this.' nem 'Me'.</target> <note /> </trans-unit> <trans-unit id="Do_not_show_this_message_again"> <source>Do not show this message again</source> <target state="translated">Não mostrar esta mensagem novamente</target> <note /> </trans-unit> <trans-unit id="Do_you_still_want_to_proceed_This_may_produce_broken_code"> <source>Do you still want to proceed? This may produce broken code.</source> <target state="translated">Ainda quer continuar? Isso pode produzir código desfeito.</target> <note /> </trans-unit> <trans-unit id="Expander_display_text"> <source>items from unimported namespaces</source> <target state="translated">itens de namespaces não importados</target> <note /> </trans-unit> <trans-unit id="Expander_image_element"> <source>Expander</source> <target state="translated">Expansor</target> <note /> </trans-unit> <trans-unit id="Extract_method_encountered_the_following_issues"> <source>Extract method encountered the following issues:</source> <target state="translated">O método de extração encontrou os seguintes problemas:</target> <note /> </trans-unit> <trans-unit id="Filter_image_element"> <source>Filter</source> <target state="translated">Filtrar</target> <note>Caption/tooltip for "Filter" image element displayed in completion popup.</note> </trans-unit> <trans-unit id="For_locals_parameters_and_members"> <source>For locals, parameters and members</source> <target state="translated">Para locais, parâmetros e membros</target> <note /> </trans-unit> <trans-unit id="For_member_access_expressions"> <source>For member access expressions</source> <target state="translated">Para expressões de acesso de membro</target> <note /> </trans-unit> <trans-unit id="Format_document_performed_additional_cleanup"> <source>Format Document performed additional cleanup</source> <target state="translated">A Formatação do Documento executou uma limpeza adicional</target> <note /> </trans-unit> <trans-unit id="Get_help_for_0"> <source>Get help for '{0}'</source> <target state="translated">Obter ajuda para '{0}'</target> <note /> </trans-unit> <trans-unit id="Get_help_for_0_from_Bing"> <source>Get help for '{0}' from Bing</source> <target state="translated">Obter ajuda para o '{0}' do Bing</target> <note /> </trans-unit> <trans-unit id="Gathering_Suggestions_0"> <source>Gathering Suggestions - '{0}'</source> <target state="translated">Obtendo Sugestões – '{0}'</target> <note /> </trans-unit> <trans-unit id="Gathering_Suggestions_Waiting_for_the_solution_to_fully_load"> <source>Gathering Suggestions - Waiting for the solution to fully load</source> <target state="translated">Obtendo Sugestões – aguardando a solução carregar totalmente</target> <note /> </trans-unit> <trans-unit id="Go_To_Base"> <source>Go To Base</source> <target state="translated">Ir Para a Base</target> <note /> </trans-unit> <trans-unit id="In_arithmetic_binary_operators"> <source>In arithmetic operators</source> <target state="translated">Em operadores aritméticos</target> <note /> </trans-unit> <trans-unit id="In_other_binary_operators"> <source>In other binary operators</source> <target state="translated">Em outros operadores binários</target> <note /> </trans-unit> <trans-unit id="In_other_operators"> <source>In other operators</source> <target state="translated">Em outros operadores</target> <note /> </trans-unit> <trans-unit id="In_relational_binary_operators"> <source>In relational operators</source> <target state="translated">Em operadores relacionais</target> <note /> </trans-unit> <trans-unit id="Indentation_Size"> <source>Indentation Size</source> <target state="translated">Tamanho do Recuo</target> <note /> </trans-unit> <trans-unit id="Inline_Hints"> <source>Inline Hints</source> <target state="translated">Dicas Embutidas</target> <note /> </trans-unit> <trans-unit id="Insert_Final_Newline"> <source>Insert Final Newline</source> <target state="translated">Inserir Nova Linha Final</target> <note /> </trans-unit> <trans-unit id="Invalid_assembly_name"> <source>Invalid assembly name</source> <target state="translated">Nome do assembly inválido</target> <note /> </trans-unit> <trans-unit id="Invalid_characters_in_assembly_name"> <source>Invalid characters in assembly name</source> <target state="translated">Caracteres inválidos no nome do assembly</target> <note /> </trans-unit> <trans-unit id="Keyword_Control"> <source>Keyword - Control</source> <target state="translated">Palavra-chave – Controle</target> <note /> </trans-unit> <trans-unit id="Locating_bases"> <source>Locating bases...</source> <target state="translated">Localizando as bases...</target> <note /> </trans-unit> <trans-unit id="Never_if_unnecessary"> <source>Never if unnecessary</source> <target state="translated">Nunca se desnecessário</target> <note /> </trans-unit> <trans-unit id="New_Line"> <source>New Line</source> <target state="translated">Nova Linha</target> <note /> </trans-unit> <trans-unit id="No"> <source>No</source> <target state="translated">Não</target> <note /> </trans-unit> <trans-unit id="Non_public_methods"> <source>Non-public methods</source> <target state="translated">Métodos não públicos</target> <note /> </trans-unit> <trans-unit id="Operator_Overloaded"> <source>Operator - Overloaded</source> <target state="translated">Operador – Sobrecarregado</target> <note /> </trans-unit> <trans-unit id="Paste_Tracking"> <source>Paste Tracking</source> <target state="translated">Colar Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Prefer_System_HashCode_in_GetHashCode"> <source>Prefer 'System.HashCode' in 'GetHashCode'</source> <target state="translated">Prefira 'System.HashCode' em 'GetHashCode'</target> <note /> </trans-unit> <trans-unit id="Prefer_coalesce_expression"> <source>Prefer coalesce expression</source> <target state="translated">Preferir a expressão de união</target> <note /> </trans-unit> <trans-unit id="Prefer_collection_initializer"> <source>Prefer collection initializer</source> <target state="translated">Preferir o inicializador de coleção</target> <note /> </trans-unit> <trans-unit id="Prefer_compound_assignments"> <source>Prefer compound assignments</source> <target state="translated">Preferir atribuições de compostos</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_expression_over_if_with_assignments"> <source>Prefer conditional expression over 'if' with assignments</source> <target state="translated">Preferir expressão condicional em vez de 'if' com atribuições</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_expression_over_if_with_returns"> <source>Prefer conditional expression over 'if' with returns</source> <target state="translated">Preferir expressão condicional em vez de 'if' com retornos</target> <note /> </trans-unit> <trans-unit id="Prefer_explicit_tuple_name"> <source>Prefer explicit tuple name</source> <target state="translated">Preferir nome de tupla explícito</target> <note /> </trans-unit> <trans-unit id="Prefer_framework_type"> <source>Prefer framework type</source> <target state="translated">Preferir tipo de estrutura</target> <note /> </trans-unit> <trans-unit id="Prefer_inferred_anonymous_type_member_names"> <source>Prefer inferred anonymous type member names</source> <target state="translated">Prefira usar nomes de membro inferidos do tipo anônimo</target> <note /> </trans-unit> <trans-unit id="Prefer_inferred_tuple_names"> <source>Prefer inferred tuple element names</source> <target state="translated">Preferir usar nomes de elementos inferidos de tupla</target> <note /> </trans-unit> <trans-unit id="Prefer_is_null_for_reference_equality_checks"> <source>Prefer 'is null' for reference equality checks</source> <target state="translated">Preferir 'is null' para as verificações de igualdade de referência</target> <note /> </trans-unit> <trans-unit id="Prefer_null_propagation"> <source>Prefer null propagation</source> <target state="translated">Preferir tratamento simplificado de nulo</target> <note /> </trans-unit> <trans-unit id="Prefer_object_initializer"> <source>Prefer object initializer</source> <target state="translated">Preferir inicializador de objeto</target> <note /> </trans-unit> <trans-unit id="Prefer_predefined_type"> <source>Prefer predefined type</source> <target state="translated">Preferir tipo predefinido</target> <note /> </trans-unit> <trans-unit id="Prefer_readonly_fields"> <source>Prefer readonly fields</source> <target state="translated">Preferir campos readonly</target> <note /> </trans-unit> <trans-unit id="Prefer_simplified_boolean_expressions"> <source>Prefer simplified boolean expressions</source> <target state="translated">Preferir expressões boolianas simplificadas</target> <note /> </trans-unit> <trans-unit id="Prefer_this_or_Me"> <source>Prefer 'this.' or 'Me.'</source> <target state="translated">Preferir 'this.' ou 'Me.'</target> <note /> </trans-unit> <trans-unit id="Preprocessor_Text"> <source>Preprocessor Text</source> <target state="translated">Texto de Pré-Processador</target> <note /> </trans-unit> <trans-unit id="Punctuation"> <source>Punctuation</source> <target state="translated">Pontuação</target> <note /> </trans-unit> <trans-unit id="Qualify_event_access_with_this_or_Me"> <source>Qualify event access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de evento com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_field_access_with_this_or_Me"> <source>Qualify field access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de campo com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_method_access_with_this_or_Me"> <source>Qualify method access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de método com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_property_access_with_this_or_Me"> <source>Qualify property access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de propriedade com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Reassigned_variable"> <source>Reassigned variable</source> <target state="new">Reassigned variable</target> <note /> </trans-unit> <trans-unit id="Rename_file_name_doesnt_match"> <source>Rename _file (type does not match file name)</source> <target state="translated">Renomear _arquivo (o tipo não corresponde ao nome do arquivo)</target> <note /> </trans-unit> <trans-unit id="Rename_file_partial_type"> <source>Rename _file (not allowed on partial types)</source> <target state="translated">Renomear _arquivo (não permitido em tipos parciais)</target> <note>Disabled text status for file rename</note> </trans-unit> <trans-unit id="Rename_symbols_file"> <source>Rename symbol's _file</source> <target state="translated">Renomear o _arquivo do símbolo</target> <note>Indicates that the file a symbol is defined in will also be renamed</note> </trans-unit> <trans-unit id="Split_comment"> <source>Split comment</source> <target state="translated">Dividir o comentário</target> <note /> </trans-unit> <trans-unit id="String_Escape_Character"> <source>String - Escape Character</source> <target state="translated">String - caractere de Escape</target> <note /> </trans-unit> <trans-unit id="Symbol_Static"> <source>Symbol - Static</source> <target state="translated">Símbolo – Estático</target> <note /> </trans-unit> <trans-unit id="Tab_Size"> <source>Tab Size</source> <target state="translated">Tamanho da Tabulação</target> <note /> </trans-unit> <trans-unit id="The_symbol_has_no_base"> <source>The symbol has no base.</source> <target state="translated">O símbolo não tem nenhuma base.</target> <note /> </trans-unit> <trans-unit id="Toggle_Block_Comment"> <source>Toggle Block Comment</source> <target state="translated">Ativar/Desativar Comentário de Bloco</target> <note /> </trans-unit> <trans-unit id="Toggle_Line_Comment"> <source>Toggle Line Comment</source> <target state="translated">Ativar/Desativar Comentário de Linha</target> <note /> </trans-unit> <trans-unit id="Toggling_block_comment"> <source>Toggling block comment...</source> <target state="translated">Ativando/desativando o comentário de bloco...</target> <note /> </trans-unit> <trans-unit id="Toggling_line_comment"> <source>Toggling line comment...</source> <target state="translated">Ativando/desativando o comentário de linha...</target> <note /> </trans-unit> <trans-unit id="Use_Tabs"> <source>Use Tabs</source> <target state="translated">Usar Tabulações</target> <note /> </trans-unit> <trans-unit id="User_Members_Constants"> <source>User Members - Constants</source> <target state="translated">Membros de Usuário – Constantes</target> <note /> </trans-unit> <trans-unit id="User_Members_Enum_Members"> <source>User Members - Enum Members</source> <target state="translated">Membros de Usuário – Membros Enum</target> <note /> </trans-unit> <trans-unit id="User_Members_Events"> <source>User Members - Events</source> <target state="translated">Membros de Usuário – Eventos</target> <note /> </trans-unit> <trans-unit id="User_Members_Extension_Methods"> <source>User Members - Extension Methods</source> <target state="translated">Membros de Usuário – Métodos de Extensão</target> <note /> </trans-unit> <trans-unit id="User_Members_Fields"> <source>User Members - Fields</source> <target state="translated">Membros de Usuário – Campos</target> <note /> </trans-unit> <trans-unit id="User_Members_Labels"> <source>User Members - Labels</source> <target state="translated">Membros de Usuário – Rótulos</target> <note /> </trans-unit> <trans-unit id="User_Members_Locals"> <source>User Members - Locals</source> <target state="translated">Membros de Usuário – Locais</target> <note /> </trans-unit> <trans-unit id="User_Members_Methods"> <source>User Members - Methods</source> <target state="translated">Membros de Usuário – Métodos</target> <note /> </trans-unit> <trans-unit id="User_Members_Namespaces"> <source>User Members - Namespaces</source> <target state="translated">Membros de Usuário – Namespaces</target> <note /> </trans-unit> <trans-unit id="User_Members_Parameters"> <source>User Members - Parameters</source> <target state="translated">Membros de Usuário – Parâmetros</target> <note /> </trans-unit> <trans-unit id="User_Members_Properties"> <source>User Members - Properties</source> <target state="translated">Membros de Usuário – Propriedades</target> <note /> </trans-unit> <trans-unit id="User_Types_Classes"> <source>User Types - Classes</source> <target state="translated">Tipos de Usuário - Classes</target> <note /> </trans-unit> <trans-unit id="User_Types_Delegates"> <source>User Types - Delegates</source> <target state="translated">Tipos de Usuário - Representantes</target> <note /> </trans-unit> <trans-unit id="User_Types_Enums"> <source>User Types - Enums</source> <target state="translated">Tipos de Usuário - Enums</target> <note /> </trans-unit> <trans-unit id="User_Types_Interfaces"> <source>User Types - Interfaces</source> <target state="translated">Tipos de Usuário - Interfaces</target> <note /> </trans-unit> <trans-unit id="User_Types_Record_Structs"> <source>User Types - Record Structs</source> <target state="translated">Tipos de usuário - Registro de structs</target> <note /> </trans-unit> <trans-unit id="User_Types_Records"> <source>User Types - Records</source> <target state="translated">Tipos de Usuário – Registros</target> <note /> </trans-unit> <trans-unit id="User_Types_Structures"> <source>User Types - Structures</source> <target state="translated">Tipos de Usuário - Estruturas</target> <note /> </trans-unit> <trans-unit id="User_Types_Type_Parameters"> <source>User Types - Type Parameters</source> <target state="translated">Tipos de Usuário - Parâmetros de Tipo</target> <note /> </trans-unit> <trans-unit id="String_Verbatim"> <source>String - Verbatim</source> <target state="translated">Cadeia de caracteres - Textual</target> <note /> </trans-unit> <trans-unit id="Waiting_for_background_work_to_finish"> <source>Waiting for background work to finish...</source> <target state="translated">Aguardando a conclusão do trabalho em segundo plano...</target> <note /> </trans-unit> <trans-unit id="Warning_image_element"> <source>Warning</source> <target state="translated">Aviso</target> <note>Caption/tooltip for "Warning" image element displayed in completion popup.</note> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Name"> <source>XML Doc Comments - Attribute Name</source> <target state="translated">Comentário da documentação XML - Nome de Atributo</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_CData_Section"> <source>XML Doc Comments - CData Section</source> <target state="translated">Comentário da documentação XML - Seção CData</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Text"> <source>XML Doc Comments - Text</source> <target state="translated">Comentário da documentação XML - Texto</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Delimiter"> <source>XML Doc Comments - Delimiter</source> <target state="translated">Comentário da documentação XML - Delimitador</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Comment"> <source>XML Doc Comments - Comment</source> <target state="translated">Comentário da documentação XML - Comentário</target> <note /> </trans-unit> <trans-unit id="User_Types_Modules"> <source>User Types - Modules</source> <target state="translated">Tipos de Usuário - Módulos</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Name"> <source>VB XML Literals - Attribute Name</source> <target state="translated">Literais XML do VB - Nome de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Quotes"> <source>VB XML Literals - Attribute Quotes</source> <target state="translated">Literais XML do VB - Aspas de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Value"> <source>VB XML Literals - Attribute Value</source> <target state="translated">Literais XML do VB - Valor de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_CData_Section"> <source>VB XML Literals - CData Section</source> <target state="translated">Literais XML do VB - Seção CData</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Comment"> <source>VB XML Literals - Comment</source> <target state="translated">Literais XML do VB - Comentário</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Delimiter"> <source>VB XML Literals - Delimiter</source> <target state="translated">Literais XML do VB - Delimitador</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Embedded_Expression"> <source>VB XML Literals - Embedded Expression</source> <target state="translated">Literais XML do VB - Expressão Inserida</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Entity_Reference"> <source>VB XML Literals - Entity Reference</source> <target state="translated">Literais XML do VB - Referência de Entidade</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Name"> <source>VB XML Literals - Name</source> <target state="translated">Literais XML do VB - Nome</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Processing_Instruction"> <source>VB XML Literals - Processing Instruction</source> <target state="translated">Literais XML do VB - Instrução de Processamento</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Text"> <source>VB XML Literals - Text</source> <target state="translated">Literais XML do VB - Texto</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Quotes"> <source>XML Doc Comments - Attribute Quotes</source> <target state="translated">Comentário da documentação XML - Aspas de Atributo</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Value"> <source>XML Doc Comments - Attribute Value</source> <target state="translated">Comentário da documentação XML - Valor de Atributo</target> <note /> </trans-unit> <trans-unit id="Unnecessary_Code"> <source>Unnecessary Code</source> <target state="translated">Código Desnecessário</target> <note /> </trans-unit> <trans-unit id="Rude_Edit"> <source>Rude Edit</source> <target state="translated">Edição Rudimentar</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_1_reference_in_1_file"> <source>Rename will update 1 reference in 1 file.</source> <target state="translated">Renomear atualizará 1 referência em 1 arquivo.</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_0_references_in_1_file"> <source>Rename will update {0} references in 1 file.</source> <target state="translated">Renomear atualizará {0} referências em 1 arquivo.</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_0_references_in_1_files"> <source>Rename will update {0} references in {1} files.</source> <target state="translated">Renomear atualizará {0} referências em {1} arquivos.</target> <note /> </trans-unit> <trans-unit id="Yes"> <source>Yes</source> <target state="translated">Sim</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element_because_it_is_contained_in_a_read_only_file"> <source>You cannot rename this element because it is contained in a read-only file.</source> <target state="translated">Você não pode renomear este elemento porque ele está contido em um arquivo somente leitura.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element_because_it_is_in_a_location_that_cannot_be_navigated_to"> <source>You cannot rename this element because it is in a location that cannot be navigated to.</source> <target state="translated">Você não pode renomear este elemento porque ele está em um local para o qual não é possível navegar.</target> <note /> </trans-unit> <trans-unit id="_0_bases"> <source>'{0}' bases</source> <target state="translated">Bases '{0}'</target> <note /> </trans-unit> <trans-unit id="_0_conflict_s_will_be_resolved"> <source>{0} conflict(s) will be resolved</source> <target state="translated">{0} conflito(s) será(ão) resolvido(s)</target> <note /> </trans-unit> <trans-unit id="_0_implemented_members"> <source>'{0}' implemented members</source> <target state="translated">'{0}' membros implementados</target> <note /> </trans-unit> <trans-unit id="_0_unresolvable_conflict_s"> <source>{0} unresolvable conflict(s)</source> <target state="translated">{0} conflito(s) não solucionável(is)</target> <note /> </trans-unit> <trans-unit id="Applying_0"> <source>Applying "{0}"...</source> <target state="translated">Aplicando "{0}"...</target> <note /> </trans-unit> <trans-unit id="Adding_0_to_1_with_content_colon"> <source>Adding '{0}' to '{1}' with content:</source> <target state="translated">Adicionando "{0}" a "{1}" com conteúdo:</target> <note /> </trans-unit> <trans-unit id="Adding_project_0"> <source>Adding project '{0}'</source> <target state="translated">Adicionando projeto "{0}"</target> <note /> </trans-unit> <trans-unit id="Removing_project_0"> <source>Removing project '{0}'</source> <target state="translated">Removendo projeto "{0}"</target> <note /> </trans-unit> <trans-unit id="Changing_project_references_for_0"> <source>Changing project references for '{0}'</source> <target state="translated">Alterar referências de projeto para "{0}"</target> <note /> </trans-unit> <trans-unit id="Adding_reference_0_to_1"> <source>Adding reference '{0}' to '{1}'</source> <target state="translated">Adicionando referência "{0}" a "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_reference_0_from_1"> <source>Removing reference '{0}' from '{1}'</source> <target state="translated">Removendo referência "{0}" de "{1}"</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_reference_0_to_1"> <source>Adding analyzer reference '{0}' to '{1}'</source> <target state="translated">Adicionando referência de analisador "{0}" a "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_reference_0_from_1"> <source>Removing analyzer reference '{0}' from '{1}'</source> <target state="translated">Removendo referência do analisador "{0}" de "{1}"</target> <note /> </trans-unit> <trans-unit id="XML_End_Tag_Completion"> <source>XML End Tag Completion</source> <target state="translated">Conclusão da Marca de Fim do XML</target> <note /> </trans-unit> <trans-unit id="Completing_Tag"> <source>Completing Tag</source> <target state="translated">Completando a Tag</target> <note /> </trans-unit> <trans-unit id="Encapsulate_Field"> <source>Encapsulate Field</source> <target state="translated">Encapsular Campo</target> <note /> </trans-unit> <trans-unit id="Applying_Encapsulate_Field_refactoring"> <source>Applying "Encapsulate Field" refactoring...</source> <target state="translated">Aplicando refatoração "Encapsular Campo"...</target> <note /> </trans-unit> <trans-unit id="Please_select_the_definition_of_the_field_to_encapsulate"> <source>Please select the definition of the field to encapsulate.</source> <target state="translated">Selecione a definição do campo a encapsular.</target> <note /> </trans-unit> <trans-unit id="Given_Workspace_doesn_t_support_Undo"> <source>Given Workspace doesn't support Undo</source> <target state="translated">Workspace fornecido não suporta Desfazer</target> <note /> </trans-unit> <trans-unit id="Searching"> <source>Searching...</source> <target state="translated">Pesquisando...</target> <note /> </trans-unit> <trans-unit id="Canceled"> <source>Canceled.</source> <target state="translated">Cancelado.</target> <note /> </trans-unit> <trans-unit id="No_information_found"> <source>No information found.</source> <target state="translated">Nenhuma informação encontrada.</target> <note /> </trans-unit> <trans-unit id="No_usages_found"> <source>No usages found.</source> <target state="translated">Nenhum uso encontrado.</target> <note /> </trans-unit> <trans-unit id="Implements_"> <source>Implements</source> <target state="translated">Implementos</target> <note /> </trans-unit> <trans-unit id="Implemented_By"> <source>Implemented By</source> <target state="translated">Implementado por</target> <note /> </trans-unit> <trans-unit id="Overrides_"> <source>Overrides</source> <target state="translated">Substitui</target> <note /> </trans-unit> <trans-unit id="Overridden_By"> <source>Overridden By</source> <target state="translated">Substituído por</target> <note /> </trans-unit> <trans-unit id="Directly_Called_In"> <source>Directly Called In</source> <target state="translated">Chamado Diretamente</target> <note /> </trans-unit> <trans-unit id="Indirectly_Called_In"> <source>Indirectly Called In</source> <target state="translated">Chamado Indiretamente </target> <note /> </trans-unit> <trans-unit id="Called_In"> <source>Called In</source> <target state="translated">Chamado Em</target> <note /> </trans-unit> <trans-unit id="Referenced_In"> <source>Referenced In</source> <target state="translated">Referenciado Em</target> <note /> </trans-unit> <trans-unit id="No_references_found"> <source>No references found.</source> <target state="translated">Nenhuma referência encontrada.</target> <note /> </trans-unit> <trans-unit id="No_derived_types_found"> <source>No derived types found.</source> <target state="translated">Nenhum tipo derivado encontrado.</target> <note /> </trans-unit> <trans-unit id="No_implementations_found"> <source>No implementations found.</source> <target state="translated">Nenhuma implementação encontrada.</target> <note /> </trans-unit> <trans-unit id="_0_Line_1"> <source>{0} - (Line {1})</source> <target state="translated">{0} - (Linha {1})</target> <note /> </trans-unit> <trans-unit id="Class_Parts"> <source>Class Parts</source> <target state="translated">Partes de Classe</target> <note /> </trans-unit> <trans-unit id="Struct_Parts"> <source>Struct Parts</source> <target state="translated">Partes de Struct</target> <note /> </trans-unit> <trans-unit id="Interface_Parts"> <source>Interface Parts</source> <target state="translated">Componentes da Interface</target> <note /> </trans-unit> <trans-unit id="Type_Parts"> <source>Type Parts</source> <target state="translated">Partes do Tipo</target> <note /> </trans-unit> <trans-unit id="Inherits_"> <source>Inherits</source> <target state="translated">Herda</target> <note /> </trans-unit> <trans-unit id="Inherited_By"> <source>Inherited By</source> <target state="translated">Herdado por</target> <note /> </trans-unit> <trans-unit id="Already_tracking_document_with_identical_key"> <source>Already tracking document with identical key</source> <target state="translated">Já está a rastrear o documento com chave idêntica</target> <note /> </trans-unit> <trans-unit id="analyzer_Prefer_auto_properties"> <source>Prefer auto properties</source> <target state="translated">Preferir propriedades automáticas</target> <note /> </trans-unit> <trans-unit id="document_is_not_currently_being_tracked"> <source>document is not currently being tracked</source> <target state="translated">documento não está sendo rastreado no momento</target> <note /> </trans-unit> <trans-unit id="Computing_Rename_information"> <source>Computing Rename information...</source> <target state="translated">Computando informações de Renomeação...</target> <note /> </trans-unit> <trans-unit id="Updating_files"> <source>Updating files...</source> <target state="translated">Atualizando arquivos...</target> <note /> </trans-unit> <trans-unit id="Rename_operation_was_cancelled_or_is_not_valid"> <source>Rename operation was cancelled or is not valid</source> <target state="translated">A operação de renomear foi cancelada ou não é válida</target> <note /> </trans-unit> <trans-unit id="Rename_Symbol"> <source>Rename Symbol</source> <target state="translated">Renomear Símbolo</target> <note /> </trans-unit> <trans-unit id="Text_Buffer_Change"> <source>Text Buffer Change</source> <target state="translated">Alteração no Buffer de Texto</target> <note /> </trans-unit> <trans-unit id="Rename_operation_was_not_properly_completed_Some_file_might_not_have_been_updated"> <source>Rename operation was not properly completed. Some file might not have been updated.</source> <target state="translated">A operação de renomear não foi corretamente concluída. Algum arquivo pode não ter sido atualizado.</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1"> <source>Rename '{0}' to '{1}'</source> <target state="translated">Renomear "{0}" para "{1}"</target> <note /> </trans-unit> <trans-unit id="Preview_Warning"> <source>Preview Warning</source> <target state="translated">Aviso de Visualização</target> <note /> </trans-unit> <trans-unit id="external"> <source>(external)</source> <target state="translated">(externo)</target> <note /> </trans-unit> <trans-unit id="Automatic_Line_Ender"> <source>Automatic Line Ender</source> <target state="translated">Finalizador de Linha Automático</target> <note /> </trans-unit> <trans-unit id="Automatically_completing"> <source>Automatically completing...</source> <target state="translated">Concluindo automaticamente...</target> <note /> </trans-unit> <trans-unit id="Automatic_Pair_Completion"> <source>Automatic Pair Completion</source> <target state="translated">Conclusão de Pares Automática</target> <note /> </trans-unit> <trans-unit id="An_active_inline_rename_session_is_still_active_Complete_it_before_starting_a_new_one"> <source>An active inline rename session is still active. Complete it before starting a new one.</source> <target state="translated">Uma sessão de renomeação embutida ativa ainda está ativa. Conclua-a antes de iniciar uma nova.</target> <note /> </trans-unit> <trans-unit id="The_buffer_is_not_part_of_a_workspace"> <source>The buffer is not part of a workspace.</source> <target state="translated">O buffer não é parte de um workspace.</target> <note /> </trans-unit> <trans-unit id="The_token_is_not_contained_in_the_workspace"> <source>The token is not contained in the workspace.</source> <target state="translated">O token não está contido no workspace.</target> <note /> </trans-unit> <trans-unit id="You_must_rename_an_identifier"> <source>You must rename an identifier.</source> <target state="translated">Você deve renomear um identificador.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element"> <source>You cannot rename this element.</source> <target state="translated">Você não pode renomear este elemento.</target> <note /> </trans-unit> <trans-unit id="Please_resolve_errors_in_your_code_before_renaming_this_element"> <source>Please resolve errors in your code before renaming this element.</source> <target state="translated">Resolva erros em seu código antes de renomear este elemento.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_operators"> <source>You cannot rename operators.</source> <target state="translated">Você não pode renomear operadores.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_elements_that_are_defined_in_metadata"> <source>You cannot rename elements that are defined in metadata.</source> <target state="translated">Você não pode renomear elementos que estão definidos nos metadados.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_elements_from_previous_submissions"> <source>You cannot rename elements from previous submissions.</source> <target state="translated">Você não pode renomear elementos de envios anteriores.</target> <note /> </trans-unit> <trans-unit id="Navigation_Bars"> <source>Navigation Bars</source> <target state="translated">Barras de Navegação</target> <note /> </trans-unit> <trans-unit id="Refreshing_navigation_bars"> <source>Refreshing navigation bars...</source> <target state="translated">Atualizando barras de navegação...</target> <note /> </trans-unit> <trans-unit id="Format_Token"> <source>Format Token</source> <target state="translated">Token de Formato</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Recuo Inteligente</target> <note /> </trans-unit> <trans-unit id="Find_References"> <source>Find References</source> <target state="translated">Localizar Referências</target> <note /> </trans-unit> <trans-unit id="Finding_references"> <source>Finding references...</source> <target state="translated">Localizando referências...</target> <note /> </trans-unit> <trans-unit id="Finding_references_of_0"> <source>Finding references of "{0}"...</source> <target state="translated">Localizando referências de "{0}"...</target> <note /> </trans-unit> <trans-unit id="Comment_Selection"> <source>Comment Selection</source> <target state="translated">Comentar Seleção</target> <note /> </trans-unit> <trans-unit id="Uncomment_Selection"> <source>Uncomment Selection</source> <target state="translated">Remover Comentários da Seleção</target> <note /> </trans-unit> <trans-unit id="Commenting_currently_selected_text"> <source>Commenting currently selected text...</source> <target state="translated">Comentando o texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Uncommenting_currently_selected_text"> <source>Uncommenting currently selected text...</source> <target state="translated">Removendo marca de comentário do texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Inserir Nova Linha</target> <note /> </trans-unit> <trans-unit id="Documentation_Comment"> <source>Documentation Comment</source> <target state="translated">Comentário de Documentação</target> <note /> </trans-unit> <trans-unit id="Inserting_documentation_comment"> <source>Inserting documentation comment...</source> <target state="translated">Inserindo comentário da documentação...</target> <note /> </trans-unit> <trans-unit id="Extract_Method"> <source>Extract Method</source> <target state="translated">Extrair Método</target> <note /> </trans-unit> <trans-unit id="Applying_Extract_Method_refactoring"> <source>Applying "Extract Method" refactoring...</source> <target state="translated">Aplicando refatoração "Extrair Método"...</target> <note /> </trans-unit> <trans-unit id="Format_Document"> <source>Format Document</source> <target state="translated">Formatar Documento</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document...</source> <target state="translated">Formatando documento...</target> <note /> </trans-unit> <trans-unit id="Formatting"> <source>Formatting</source> <target state="translated">Formatação</target> <note /> </trans-unit> <trans-unit id="Format_Selection"> <source>Format Selection</source> <target state="translated">Formatar Seleção</target> <note /> </trans-unit> <trans-unit id="Formatting_currently_selected_text"> <source>Formatting currently selected text...</source> <target state="translated">Formatando texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Cannot_navigate_to_the_symbol_under_the_caret"> <source>Cannot navigate to the symbol under the caret.</source> <target state="translated">Não é possível navegar para o símbolo sob o cursor.</target> <note /> </trans-unit> <trans-unit id="Go_to_Definition"> <source>Go to Definition</source> <target state="translated">Ir para Definição</target> <note /> </trans-unit> <trans-unit id="Navigating_to_definition"> <source>Navigating to definition...</source> <target state="translated">Navegando para definição...</target> <note /> </trans-unit> <trans-unit id="Organize_Document"> <source>Organize Document</source> <target state="translated">Organizar Documento</target> <note /> </trans-unit> <trans-unit id="Organizing_document"> <source>Organizing document...</source> <target state="translated">Organizando documento...</target> <note /> </trans-unit> <trans-unit id="Highlighted_Definition"> <source>Highlighted Definition</source> <target state="translated">Definição Realçada</target> <note /> </trans-unit> <trans-unit id="The_new_name_is_not_a_valid_identifier"> <source>The new name is not a valid identifier.</source> <target state="translated">O novo nome não é um identificador válido.</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Fixup"> <source>Inline Rename Fixup</source> <target state="translated">Correção de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Resolved_Conflict"> <source>Inline Rename Resolved Conflict</source> <target state="translated">Conflito de Renomeação Embutida Resolvido </target> <note /> </trans-unit> <trans-unit id="Inline_Rename"> <source>Inline Rename</source> <target state="translated">Renomeação embutida</target> <note /> </trans-unit> <trans-unit id="Rename"> <source>Rename</source> <target state="translated">renomear</target> <note /> </trans-unit> <trans-unit id="Start_Rename"> <source>Start Rename</source> <target state="translated">Iniciar Renomeação</target> <note /> </trans-unit> <trans-unit id="Display_conflict_resolutions"> <source>Display conflict resolutions</source> <target state="translated">Exibir resoluções de conflitos</target> <note /> </trans-unit> <trans-unit id="Finding_token_to_rename"> <source>Finding token to rename...</source> <target state="translated">Localizando token para renomear...</target> <note /> </trans-unit> <trans-unit id="Conflict"> <source>Conflict</source> <target state="translated">Conflito</target> <note /> </trans-unit> <trans-unit id="Text_Navigation"> <source>Text Navigation</source> <target state="translated">Navegação de Texto</target> <note /> </trans-unit> <trans-unit id="Finding_word_extent"> <source>Finding word extent...</source> <target state="translated">Localizando de extensão de palavra...</target> <note /> </trans-unit> <trans-unit id="Finding_enclosing_span"> <source>Finding enclosing span...</source> <target state="translated">Localizando alcance de delimitação...</target> <note /> </trans-unit> <trans-unit id="Finding_span_of_next_sibling"> <source>Finding span of next sibling...</source> <target state="translated">Localizando a extensão do próximo irmão...</target> <note /> </trans-unit> <trans-unit id="Finding_span_of_previous_sibling"> <source>Finding span of previous sibling...</source> <target state="translated">Localizando a extensão do irmão anterior...</target> <note /> </trans-unit> <trans-unit id="Rename_colon_0"> <source>Rename: {0}</source> <target state="translated">Renomear: {0}</target> <note /> </trans-unit> <trans-unit id="Light_bulb_session_is_already_dismissed"> <source>Light bulb session is already dismissed.</source> <target state="translated">A sessão de lâmpada já foi descartada.</target> <note /> </trans-unit> <trans-unit id="Automatic_Pair_Completion_End_Point_Marker_Color"> <source>Automatic Pair Completion End Point Marker Color</source> <target state="translated">Cor do Marcador de Ponto Final da Conclusão de Pares Automática</target> <note /> </trans-unit> <trans-unit id="Renaming_anonymous_type_members_is_not_yet_supported"> <source>Renaming anonymous type members is not yet supported.</source> <target state="translated">Renomear membros de tipo anônimo ainda não é suportado.</target> <note /> </trans-unit> <trans-unit id="Engine_must_be_attached_to_an_Interactive_Window"> <source>Engine must be attached to an Interactive Window.</source> <target state="translated">O Mecanismo deve ser anexado a uma Janela Interativa.</target> <note /> </trans-unit> <trans-unit id="Changes_the_current_prompt_settings"> <source>Changes the current prompt settings.</source> <target state="translated">Altera as configurações de prompt atuais.</target> <note /> </trans-unit> <trans-unit id="Unexpected_text_colon_0"> <source>Unexpected text: '{0}'</source> <target state="translated">Texto inesperado: "{0}"</target> <note /> </trans-unit> <trans-unit id="The_triggerSpan_is_not_included_in_the_given_workspace"> <source>The triggerSpan is not included in the given workspace.</source> <target state="translated">O triggerSpan não está incluído no workspace fornecido.</target> <note /> </trans-unit> <trans-unit id="This_session_has_already_been_dismissed"> <source>This session has already been dismissed.</source> <target state="translated">Esta sessão já foi descartada.</target> <note /> </trans-unit> <trans-unit id="The_transaction_is_already_complete"> <source>The transaction is already complete.</source> <target state="translated">A transação já está concluída.</target> <note /> </trans-unit> <trans-unit id="Not_a_source_error_line_column_unavailable"> <source>Not a source error, line/column unavailable</source> <target state="translated">Não é um erro de origem, linha/coluna disponível</target> <note /> </trans-unit> <trans-unit id="Can_t_compare_positions_from_different_text_snapshots"> <source>Can't compare positions from different text snapshots</source> <target state="translated">Não é possível comparar as posições de instantâneos de textos diferentes</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Entity_Reference"> <source>XML Doc Comments - Entity Reference</source> <target state="translated">Comentário da documentação XML - Referência de Entidade</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Name"> <source>XML Doc Comments - Name</source> <target state="translated">Comentário da documentação XML - Nome</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Processing_Instruction"> <source>XML Doc Comments - Processing Instruction</source> <target state="translated">Comentário da documentação XML - Instrução de Processamento</target> <note /> </trans-unit> <trans-unit id="Active_Statement"> <source>Active Statement</source> <target state="translated">Instrução Ativa</target> <note /> </trans-unit> <trans-unit id="Loading_Peek_information"> <source>Loading Peek information...</source> <target state="translated">Carregando informações de Espiada...</target> <note /> </trans-unit> <trans-unit id="Peek"> <source>Peek</source> <target state="translated">Espiada</target> <note /> </trans-unit> <trans-unit id="Apply1"> <source>_Apply</source> <target state="translated">_Aplicar</target> <note /> </trans-unit> <trans-unit id="Include_overload_s"> <source>Include _overload(s)</source> <target state="translated">Incluir _overload(s)</target> <note /> </trans-unit> <trans-unit id="Include_comments"> <source>Include _comments</source> <target state="translated">Incluir _comments</target> <note /> </trans-unit> <trans-unit id="Include_strings"> <source>Include _strings</source> <target state="translated">Incluir _strings</target> <note /> </trans-unit> <trans-unit id="Apply2"> <source>Apply</source> <target state="translated">Aplicar</target> <note /> </trans-unit> <trans-unit id="Change_Signature"> <source>Change Signature</source> <target state="translated">Alterar Assinatura</target> <note /> </trans-unit> <trans-unit id="Preview_Changes_0"> <source>Preview Changes - {0}</source> <target state="translated">Visualizar Alterações - {0}</target> <note /> </trans-unit> <trans-unit id="Preview_Code_Changes_colon"> <source>Preview Code Changes:</source> <target state="translated">Visualizar Alterações de Código:</target> <note /> </trans-unit> <trans-unit id="Preview_Changes"> <source>Preview Changes</source> <target state="translated">Visualizar Alterações</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Colar Formato</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Formatando texto colado...</target> <note /> </trans-unit> <trans-unit id="The_definition_of_the_object_is_hidden"> <source>The definition of the object is hidden.</source> <target state="translated">A definição do objeto está oculta.</target> <note /> </trans-unit> <trans-unit id="Automatic_Formatting"> <source>Automatic Formatting</source> <target state="translated">Formatação Automática</target> <note /> </trans-unit> <trans-unit id="We_can_fix_the_error_by_not_making_struct_out_ref_parameter_s_Do_you_want_to_proceed"> <source>We can fix the error by not making struct "out/ref" parameter(s). Do you want to proceed?</source> <target state="translated">Podemos corrigir o erro ao não fazer struct de parâmetro(s) "out/ref". Deseja continuar?</target> <note /> </trans-unit> <trans-unit id="Change_Signature_colon"> <source>Change Signature:</source> <target state="translated">Alterar Assinatura:</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1_colon"> <source>Rename '{0}' to '{1}':</source> <target state="translated">Renomear '{0}' para '{1}':</target> <note /> </trans-unit> <trans-unit id="Encapsulate_Field_colon"> <source>Encapsulate Field:</source> <target state="translated">Encapsular Campo:</target> <note /> </trans-unit> <trans-unit id="Call_Hierarchy"> <source>Call Hierarchy</source> <target state="translated">Hierarquia de Chamada</target> <note /> </trans-unit> <trans-unit id="Calls_To_0"> <source>Calls To '{0}'</source> <target state="translated">Chamadas para '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Base_Member_0"> <source>Calls To Base Member '{0}'</source> <target state="translated">Chamadas para Membro Base '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Interface_Implementation_0"> <source>Calls To Interface Implementation '{0}'</source> <target state="translated">Chamadas para Implementação de Interface '{0}'</target> <note /> </trans-unit> <trans-unit id="Computing_Call_Hierarchy_Information"> <source>Computing Call Hierarchy Information</source> <target state="translated">Informações sobre Hierarquia de Chamada de Computação</target> <note /> </trans-unit> <trans-unit id="Implements_0"> <source>Implements '{0}'</source> <target state="translated">Implementa '{0}'</target> <note /> </trans-unit> <trans-unit id="Initializers"> <source>Initializers</source> <target state="translated">Inicializadores</target> <note /> </trans-unit> <trans-unit id="References_To_Field_0"> <source>References To Field '{0}'</source> <target state="translated">Referências ao Campo '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Overrides"> <source>Calls To Overrides</source> <target state="translated">Chamadas para Substituições</target> <note /> </trans-unit> <trans-unit id="Preview_changes1"> <source>_Preview changes</source> <target state="translated">Alterações de _Preview</target> <note /> </trans-unit> <trans-unit id="Apply3"> <source>Apply</source> <target state="translated">Aplicar</target> <note /> </trans-unit> <trans-unit id="Cancel"> <source>Cancel</source> <target state="translated">Cancelar</target> <note /> </trans-unit> <trans-unit id="Changes"> <source>Changes</source> <target state="translated">Alterações</target> <note /> </trans-unit> <trans-unit id="Preview_changes2"> <source>Preview changes</source> <target state="translated">Visualizar alterações</target> <note /> </trans-unit> <trans-unit id="IntelliSense"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="IntelliSense_Commit_Formatting"> <source>IntelliSense Commit Formatting</source> <target state="translated">Formatação de Confirmação IntelliSense</target> <note /> </trans-unit> <trans-unit id="Rename_Tracking"> <source>Rename Tracking</source> <target state="translated">Renomear Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Removing_0_from_1_with_content_colon"> <source>Removing '{0}' from '{1}' with content:</source> <target state="translated">Removendo '{0}' de '{1}' com conteúdo:</target> <note /> </trans-unit> <trans-unit id="_0_does_not_support_the_1_operation_However_it_may_contain_nested_2_s_see_2_3_that_support_this_operation"> <source>'{0}' does not support the '{1}' operation. However, it may contain nested '{2}'s (see '{2}.{3}') that support this operation.</source> <target state="translated">'{0}' não dá suporte à operação '{1}'. No entanto, ele pode conter '{2}'s aninhados (consulte '{2}.{3}') que dá suporte a esta operação.</target> <note /> </trans-unit> <trans-unit id="Brace_Completion"> <source>Brace Completion</source> <target state="translated">Preenchimento de Chaves</target> <note /> </trans-unit> <trans-unit id="Cannot_apply_operation_while_a_rename_session_is_active"> <source>Cannot apply operation while a rename session is active.</source> <target state="translated">Não é possível aplicar a operação enquanto uma sessão de renomeação está ativa.</target> <note /> </trans-unit> <trans-unit id="The_rename_tracking_session_was_cancelled_and_is_no_longer_available"> <source>The rename tracking session was cancelled and is no longer available.</source> <target state="translated">A sessão de acompanhamento de renomeação foi cancelada e não está mais disponível.</target> <note /> </trans-unit> <trans-unit id="Highlighted_Written_Reference"> <source>Highlighted Written Reference</source> <target state="translated">Referência Escrita Realçada</target> <note /> </trans-unit> <trans-unit id="Cursor_must_be_on_a_member_name"> <source>Cursor must be on a member name.</source> <target state="translated">O cursor deve estar em um nome do membro.</target> <note /> </trans-unit> <trans-unit id="Brace_Matching"> <source>Brace Matching</source> <target state="translated">Correspondência de Chaves</target> <note /> </trans-unit> <trans-unit id="Locating_implementations"> <source>Locating implementations...</source> <target state="translated">Localizando implementações...</target> <note /> </trans-unit> <trans-unit id="Go_To_Implementation"> <source>Go To Implementation</source> <target state="translated">Ir Para Implementação</target> <note /> </trans-unit> <trans-unit id="The_symbol_has_no_implementations"> <source>The symbol has no implementations.</source> <target state="translated">O símbolo não tem implementações.</target> <note /> </trans-unit> <trans-unit id="New_name_colon_0"> <source>New name: {0}</source> <target state="translated">Novo nome: {0}</target> <note /> </trans-unit> <trans-unit id="Modify_any_highlighted_location_to_begin_renaming"> <source>Modify any highlighted location to begin renaming.</source> <target state="translated">Modifique qualquer local realçado para iniciar a renomeação.</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Colar</target> <note /> </trans-unit> <trans-unit id="Navigating"> <source>Navigating...</source> <target state="translated">Navegando...</target> <note /> </trans-unit> <trans-unit id="Suggestion_ellipses"> <source>Suggestion ellipses (…)</source> <target state="translated">Reticências de sugestão (…)</target> <note /> </trans-unit> <trans-unit id="_0_references"> <source>'{0}' references</source> <target state="translated">'{0}' referências</target> <note /> </trans-unit> <trans-unit id="_0_implementations"> <source>'{0}' implementations</source> <target state="translated">'Implementações de '{0}'</target> <note /> </trans-unit> <trans-unit id="_0_declarations"> <source>'{0}' declarations</source> <target state="translated">'Declarações de '{0}'</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Conflict"> <source>Inline Rename Conflict</source> <target state="translated">Conflito de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Field_Background_and_Border"> <source>Inline Rename Field Background and Border</source> <target state="translated">Borda e Tela de Fundo do Campo de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Field_Text"> <source>Inline Rename Field Text</source> <target state="translated">Texto do Campo de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Block_Comment_Editing"> <source>Block Comment Editing</source> <target state="translated">Bloquear Edição de Comentário</target> <note /> </trans-unit> <trans-unit id="Comment_Uncomment_Selection"> <source>Comment/Uncomment Selection</source> <target state="translated">Comentar/Remover Marca de Comentário da Seleção</target> <note /> </trans-unit> <trans-unit id="Code_Completion"> <source>Code Completion</source> <target state="translated">Conclusão de Código</target> <note /> </trans-unit> <trans-unit id="Execute_In_Interactive"> <source>Execute In Interactive</source> <target state="translated">Executar em Interativo</target> <note /> </trans-unit> <trans-unit id="Extract_Interface"> <source>Extract Interface</source> <target state="translated">Extrair a Interface</target> <note /> </trans-unit> <trans-unit id="Go_To_Adjacent_Member"> <source>Go To Adjacent Member</source> <target state="translated">Ir para Membro Adjacente</target> <note /> </trans-unit> <trans-unit id="Interactive"> <source>Interactive</source> <target state="translated">Interativo</target> <note /> </trans-unit> <trans-unit id="Paste_in_Interactive"> <source>Paste in Interactive</source> <target state="translated">Colar em Interativo</target> <note /> </trans-unit> <trans-unit id="Navigate_To_Highlight_Reference"> <source>Navigate To Highlighted Reference</source> <target state="translated">Navegar para Referência Realçada</target> <note /> </trans-unit> <trans-unit id="Outlining"> <source>Outlining</source> <target state="translated">Estrutura de Tópicos</target> <note /> </trans-unit> <trans-unit id="Rename_Tracking_Cancellation"> <source>Rename Tracking Cancellation</source> <target state="translated">Renomear Cancelamento de Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Signature_Help"> <source>Signature Help</source> <target state="translated">Ajuda da Assinatura</target> <note /> </trans-unit> <trans-unit id="Smart_Token_Formatter"> <source>Smart Token Formatter</source> <target state="translated">Formatador de Token Inteligente</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pt-BR" original="../EditorFeaturesResources.resx"> <body> <trans-unit id="All_methods"> <source>All methods</source> <target state="translated">Todos os métodos</target> <note /> </trans-unit> <trans-unit id="Always_for_clarity"> <source>Always for clarity</source> <target state="translated">Sempre para esclarecimento</target> <note /> </trans-unit> <trans-unit id="An_inline_rename_session_is_active_for_identifier_0"> <source>An inline rename session is active for identifier '{0}'. Invoke inline rename again to access additional options. You may continue to edit the identifier being renamed at any time.</source> <target state="translated">Uma sessão de renomeação embutida está ativa para o identificador '{0}'. Invoque a renomeação embutida novamente para acessar opções adicionais. Você pode continuar a editar o identificador que está sendo renomeado a qualquer momento.</target> <note>For screenreaders. {0} is the identifier being renamed.</note> </trans-unit> <trans-unit id="Applying_changes"> <source>Applying changes</source> <target state="translated">Aplicando mudanças</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_parameters"> <source>Avoid unused parameters</source> <target state="translated">Evitar parâmetros não utilizados</target> <note /> </trans-unit> <trans-unit id="Change_configuration"> <source>Change configuration</source> <target state="translated">Alterar configuração</target> <note /> </trans-unit> <trans-unit id="Code_cleanup_is_not_configured"> <source>Code cleanup is not configured</source> <target state="translated">A limpeza de código não está configurada</target> <note /> </trans-unit> <trans-unit id="Configure_it_now"> <source>Configure it now</source> <target state="translated">Configurar agora</target> <note /> </trans-unit> <trans-unit id="Do_not_prefer_this_or_Me"> <source>Do not prefer 'this.' or 'Me.'</source> <target state="translated">Não preferir 'this.' nem 'Me'.</target> <note /> </trans-unit> <trans-unit id="Do_not_show_this_message_again"> <source>Do not show this message again</source> <target state="translated">Não mostrar esta mensagem novamente</target> <note /> </trans-unit> <trans-unit id="Do_you_still_want_to_proceed_This_may_produce_broken_code"> <source>Do you still want to proceed? This may produce broken code.</source> <target state="translated">Ainda quer continuar? Isso pode produzir código desfeito.</target> <note /> </trans-unit> <trans-unit id="Expander_display_text"> <source>items from unimported namespaces</source> <target state="translated">itens de namespaces não importados</target> <note /> </trans-unit> <trans-unit id="Expander_image_element"> <source>Expander</source> <target state="translated">Expansor</target> <note /> </trans-unit> <trans-unit id="Extract_method_encountered_the_following_issues"> <source>Extract method encountered the following issues:</source> <target state="translated">O método de extração encontrou os seguintes problemas:</target> <note /> </trans-unit> <trans-unit id="Filter_image_element"> <source>Filter</source> <target state="translated">Filtrar</target> <note>Caption/tooltip for "Filter" image element displayed in completion popup.</note> </trans-unit> <trans-unit id="For_locals_parameters_and_members"> <source>For locals, parameters and members</source> <target state="translated">Para locais, parâmetros e membros</target> <note /> </trans-unit> <trans-unit id="For_member_access_expressions"> <source>For member access expressions</source> <target state="translated">Para expressões de acesso de membro</target> <note /> </trans-unit> <trans-unit id="Format_document_performed_additional_cleanup"> <source>Format Document performed additional cleanup</source> <target state="translated">A Formatação do Documento executou uma limpeza adicional</target> <note /> </trans-unit> <trans-unit id="Get_help_for_0"> <source>Get help for '{0}'</source> <target state="translated">Obter ajuda para '{0}'</target> <note /> </trans-unit> <trans-unit id="Get_help_for_0_from_Bing"> <source>Get help for '{0}' from Bing</source> <target state="translated">Obter ajuda para o '{0}' do Bing</target> <note /> </trans-unit> <trans-unit id="Gathering_Suggestions_0"> <source>Gathering Suggestions - '{0}'</source> <target state="translated">Obtendo Sugestões – '{0}'</target> <note /> </trans-unit> <trans-unit id="Gathering_Suggestions_Waiting_for_the_solution_to_fully_load"> <source>Gathering Suggestions - Waiting for the solution to fully load</source> <target state="translated">Obtendo Sugestões – aguardando a solução carregar totalmente</target> <note /> </trans-unit> <trans-unit id="Go_To_Base"> <source>Go To Base</source> <target state="translated">Ir Para a Base</target> <note /> </trans-unit> <trans-unit id="In_arithmetic_binary_operators"> <source>In arithmetic operators</source> <target state="translated">Em operadores aritméticos</target> <note /> </trans-unit> <trans-unit id="In_other_binary_operators"> <source>In other binary operators</source> <target state="translated">Em outros operadores binários</target> <note /> </trans-unit> <trans-unit id="In_other_operators"> <source>In other operators</source> <target state="translated">Em outros operadores</target> <note /> </trans-unit> <trans-unit id="In_relational_binary_operators"> <source>In relational operators</source> <target state="translated">Em operadores relacionais</target> <note /> </trans-unit> <trans-unit id="Indentation_Size"> <source>Indentation Size</source> <target state="translated">Tamanho do Recuo</target> <note /> </trans-unit> <trans-unit id="Inline_Hints"> <source>Inline Hints</source> <target state="translated">Dicas Embutidas</target> <note /> </trans-unit> <trans-unit id="Insert_Final_Newline"> <source>Insert Final Newline</source> <target state="translated">Inserir Nova Linha Final</target> <note /> </trans-unit> <trans-unit id="Invalid_assembly_name"> <source>Invalid assembly name</source> <target state="translated">Nome do assembly inválido</target> <note /> </trans-unit> <trans-unit id="Invalid_characters_in_assembly_name"> <source>Invalid characters in assembly name</source> <target state="translated">Caracteres inválidos no nome do assembly</target> <note /> </trans-unit> <trans-unit id="Keyword_Control"> <source>Keyword - Control</source> <target state="translated">Palavra-chave – Controle</target> <note /> </trans-unit> <trans-unit id="Locating_bases"> <source>Locating bases...</source> <target state="translated">Localizando as bases...</target> <note /> </trans-unit> <trans-unit id="Never_if_unnecessary"> <source>Never if unnecessary</source> <target state="translated">Nunca se desnecessário</target> <note /> </trans-unit> <trans-unit id="New_Line"> <source>New Line</source> <target state="translated">Nova Linha</target> <note /> </trans-unit> <trans-unit id="No"> <source>No</source> <target state="translated">Não</target> <note /> </trans-unit> <trans-unit id="Non_public_methods"> <source>Non-public methods</source> <target state="translated">Métodos não públicos</target> <note /> </trans-unit> <trans-unit id="Operator_Overloaded"> <source>Operator - Overloaded</source> <target state="translated">Operador – Sobrecarregado</target> <note /> </trans-unit> <trans-unit id="Paste_Tracking"> <source>Paste Tracking</source> <target state="translated">Colar Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Prefer_System_HashCode_in_GetHashCode"> <source>Prefer 'System.HashCode' in 'GetHashCode'</source> <target state="translated">Prefira 'System.HashCode' em 'GetHashCode'</target> <note /> </trans-unit> <trans-unit id="Prefer_coalesce_expression"> <source>Prefer coalesce expression</source> <target state="translated">Preferir a expressão de união</target> <note /> </trans-unit> <trans-unit id="Prefer_collection_initializer"> <source>Prefer collection initializer</source> <target state="translated">Preferir o inicializador de coleção</target> <note /> </trans-unit> <trans-unit id="Prefer_compound_assignments"> <source>Prefer compound assignments</source> <target state="translated">Preferir atribuições de compostos</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_expression_over_if_with_assignments"> <source>Prefer conditional expression over 'if' with assignments</source> <target state="translated">Preferir expressão condicional em vez de 'if' com atribuições</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_expression_over_if_with_returns"> <source>Prefer conditional expression over 'if' with returns</source> <target state="translated">Preferir expressão condicional em vez de 'if' com retornos</target> <note /> </trans-unit> <trans-unit id="Prefer_explicit_tuple_name"> <source>Prefer explicit tuple name</source> <target state="translated">Preferir nome de tupla explícito</target> <note /> </trans-unit> <trans-unit id="Prefer_framework_type"> <source>Prefer framework type</source> <target state="translated">Preferir tipo de estrutura</target> <note /> </trans-unit> <trans-unit id="Prefer_inferred_anonymous_type_member_names"> <source>Prefer inferred anonymous type member names</source> <target state="translated">Prefira usar nomes de membro inferidos do tipo anônimo</target> <note /> </trans-unit> <trans-unit id="Prefer_inferred_tuple_names"> <source>Prefer inferred tuple element names</source> <target state="translated">Preferir usar nomes de elementos inferidos de tupla</target> <note /> </trans-unit> <trans-unit id="Prefer_is_null_for_reference_equality_checks"> <source>Prefer 'is null' for reference equality checks</source> <target state="translated">Preferir 'is null' para as verificações de igualdade de referência</target> <note /> </trans-unit> <trans-unit id="Prefer_null_propagation"> <source>Prefer null propagation</source> <target state="translated">Preferir tratamento simplificado de nulo</target> <note /> </trans-unit> <trans-unit id="Prefer_object_initializer"> <source>Prefer object initializer</source> <target state="translated">Preferir inicializador de objeto</target> <note /> </trans-unit> <trans-unit id="Prefer_predefined_type"> <source>Prefer predefined type</source> <target state="translated">Preferir tipo predefinido</target> <note /> </trans-unit> <trans-unit id="Prefer_readonly_fields"> <source>Prefer readonly fields</source> <target state="translated">Preferir campos readonly</target> <note /> </trans-unit> <trans-unit id="Prefer_simplified_boolean_expressions"> <source>Prefer simplified boolean expressions</source> <target state="translated">Preferir expressões boolianas simplificadas</target> <note /> </trans-unit> <trans-unit id="Prefer_this_or_Me"> <source>Prefer 'this.' or 'Me.'</source> <target state="translated">Preferir 'this.' ou 'Me.'</target> <note /> </trans-unit> <trans-unit id="Preprocessor_Text"> <source>Preprocessor Text</source> <target state="translated">Texto de Pré-Processador</target> <note /> </trans-unit> <trans-unit id="Punctuation"> <source>Punctuation</source> <target state="translated">Pontuação</target> <note /> </trans-unit> <trans-unit id="Qualify_event_access_with_this_or_Me"> <source>Qualify event access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de evento com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_field_access_with_this_or_Me"> <source>Qualify field access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de campo com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_method_access_with_this_or_Me"> <source>Qualify method access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de método com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Qualify_property_access_with_this_or_Me"> <source>Qualify property access with 'this' or 'Me'</source> <target state="translated">Qualificar o acesso de propriedade com 'this' ou 'Me'</target> <note /> </trans-unit> <trans-unit id="Reassigned_variable"> <source>Reassigned variable</source> <target state="new">Reassigned variable</target> <note /> </trans-unit> <trans-unit id="Rename_file_name_doesnt_match"> <source>Rename _file (type does not match file name)</source> <target state="translated">Renomear _arquivo (o tipo não corresponde ao nome do arquivo)</target> <note /> </trans-unit> <trans-unit id="Rename_file_partial_type"> <source>Rename _file (not allowed on partial types)</source> <target state="translated">Renomear _arquivo (não permitido em tipos parciais)</target> <note>Disabled text status for file rename</note> </trans-unit> <trans-unit id="Rename_symbols_file"> <source>Rename symbol's _file</source> <target state="translated">Renomear o _arquivo do símbolo</target> <note>Indicates that the file a symbol is defined in will also be renamed</note> </trans-unit> <trans-unit id="Split_comment"> <source>Split comment</source> <target state="translated">Dividir o comentário</target> <note /> </trans-unit> <trans-unit id="String_Escape_Character"> <source>String - Escape Character</source> <target state="translated">String - caractere de Escape</target> <note /> </trans-unit> <trans-unit id="Symbol_Static"> <source>Symbol - Static</source> <target state="translated">Símbolo – Estático</target> <note /> </trans-unit> <trans-unit id="Tab_Size"> <source>Tab Size</source> <target state="translated">Tamanho da Tabulação</target> <note /> </trans-unit> <trans-unit id="The_symbol_has_no_base"> <source>The symbol has no base.</source> <target state="translated">O símbolo não tem nenhuma base.</target> <note /> </trans-unit> <trans-unit id="Toggle_Block_Comment"> <source>Toggle Block Comment</source> <target state="translated">Ativar/Desativar Comentário de Bloco</target> <note /> </trans-unit> <trans-unit id="Toggle_Line_Comment"> <source>Toggle Line Comment</source> <target state="translated">Ativar/Desativar Comentário de Linha</target> <note /> </trans-unit> <trans-unit id="Toggling_block_comment"> <source>Toggling block comment...</source> <target state="translated">Ativando/desativando o comentário de bloco...</target> <note /> </trans-unit> <trans-unit id="Toggling_line_comment"> <source>Toggling line comment...</source> <target state="translated">Ativando/desativando o comentário de linha...</target> <note /> </trans-unit> <trans-unit id="Use_Tabs"> <source>Use Tabs</source> <target state="translated">Usar Tabulações</target> <note /> </trans-unit> <trans-unit id="User_Members_Constants"> <source>User Members - Constants</source> <target state="translated">Membros de Usuário – Constantes</target> <note /> </trans-unit> <trans-unit id="User_Members_Enum_Members"> <source>User Members - Enum Members</source> <target state="translated">Membros de Usuário – Membros Enum</target> <note /> </trans-unit> <trans-unit id="User_Members_Events"> <source>User Members - Events</source> <target state="translated">Membros de Usuário – Eventos</target> <note /> </trans-unit> <trans-unit id="User_Members_Extension_Methods"> <source>User Members - Extension Methods</source> <target state="translated">Membros de Usuário – Métodos de Extensão</target> <note /> </trans-unit> <trans-unit id="User_Members_Fields"> <source>User Members - Fields</source> <target state="translated">Membros de Usuário – Campos</target> <note /> </trans-unit> <trans-unit id="User_Members_Labels"> <source>User Members - Labels</source> <target state="translated">Membros de Usuário – Rótulos</target> <note /> </trans-unit> <trans-unit id="User_Members_Locals"> <source>User Members - Locals</source> <target state="translated">Membros de Usuário – Locais</target> <note /> </trans-unit> <trans-unit id="User_Members_Methods"> <source>User Members - Methods</source> <target state="translated">Membros de Usuário – Métodos</target> <note /> </trans-unit> <trans-unit id="User_Members_Namespaces"> <source>User Members - Namespaces</source> <target state="translated">Membros de Usuário – Namespaces</target> <note /> </trans-unit> <trans-unit id="User_Members_Parameters"> <source>User Members - Parameters</source> <target state="translated">Membros de Usuário – Parâmetros</target> <note /> </trans-unit> <trans-unit id="User_Members_Properties"> <source>User Members - Properties</source> <target state="translated">Membros de Usuário – Propriedades</target> <note /> </trans-unit> <trans-unit id="User_Types_Classes"> <source>User Types - Classes</source> <target state="translated">Tipos de Usuário - Classes</target> <note /> </trans-unit> <trans-unit id="User_Types_Delegates"> <source>User Types - Delegates</source> <target state="translated">Tipos de Usuário - Representantes</target> <note /> </trans-unit> <trans-unit id="User_Types_Enums"> <source>User Types - Enums</source> <target state="translated">Tipos de Usuário - Enums</target> <note /> </trans-unit> <trans-unit id="User_Types_Interfaces"> <source>User Types - Interfaces</source> <target state="translated">Tipos de Usuário - Interfaces</target> <note /> </trans-unit> <trans-unit id="User_Types_Record_Structs"> <source>User Types - Record Structs</source> <target state="translated">Tipos de usuário - Registro de structs</target> <note /> </trans-unit> <trans-unit id="User_Types_Records"> <source>User Types - Records</source> <target state="translated">Tipos de Usuário – Registros</target> <note /> </trans-unit> <trans-unit id="User_Types_Structures"> <source>User Types - Structures</source> <target state="translated">Tipos de Usuário - Estruturas</target> <note /> </trans-unit> <trans-unit id="User_Types_Type_Parameters"> <source>User Types - Type Parameters</source> <target state="translated">Tipos de Usuário - Parâmetros de Tipo</target> <note /> </trans-unit> <trans-unit id="String_Verbatim"> <source>String - Verbatim</source> <target state="translated">Cadeia de caracteres - Textual</target> <note /> </trans-unit> <trans-unit id="Waiting_for_background_work_to_finish"> <source>Waiting for background work to finish...</source> <target state="translated">Aguardando a conclusão do trabalho em segundo plano...</target> <note /> </trans-unit> <trans-unit id="Warning_image_element"> <source>Warning</source> <target state="translated">Aviso</target> <note>Caption/tooltip for "Warning" image element displayed in completion popup.</note> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Name"> <source>XML Doc Comments - Attribute Name</source> <target state="translated">Comentário da documentação XML - Nome de Atributo</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_CData_Section"> <source>XML Doc Comments - CData Section</source> <target state="translated">Comentário da documentação XML - Seção CData</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Text"> <source>XML Doc Comments - Text</source> <target state="translated">Comentário da documentação XML - Texto</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Delimiter"> <source>XML Doc Comments - Delimiter</source> <target state="translated">Comentário da documentação XML - Delimitador</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Comment"> <source>XML Doc Comments - Comment</source> <target state="translated">Comentário da documentação XML - Comentário</target> <note /> </trans-unit> <trans-unit id="User_Types_Modules"> <source>User Types - Modules</source> <target state="translated">Tipos de Usuário - Módulos</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Name"> <source>VB XML Literals - Attribute Name</source> <target state="translated">Literais XML do VB - Nome de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Quotes"> <source>VB XML Literals - Attribute Quotes</source> <target state="translated">Literais XML do VB - Aspas de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Attribute_Value"> <source>VB XML Literals - Attribute Value</source> <target state="translated">Literais XML do VB - Valor de Atributo</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_CData_Section"> <source>VB XML Literals - CData Section</source> <target state="translated">Literais XML do VB - Seção CData</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Comment"> <source>VB XML Literals - Comment</source> <target state="translated">Literais XML do VB - Comentário</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Delimiter"> <source>VB XML Literals - Delimiter</source> <target state="translated">Literais XML do VB - Delimitador</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Embedded_Expression"> <source>VB XML Literals - Embedded Expression</source> <target state="translated">Literais XML do VB - Expressão Inserida</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Entity_Reference"> <source>VB XML Literals - Entity Reference</source> <target state="translated">Literais XML do VB - Referência de Entidade</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Name"> <source>VB XML Literals - Name</source> <target state="translated">Literais XML do VB - Nome</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Processing_Instruction"> <source>VB XML Literals - Processing Instruction</source> <target state="translated">Literais XML do VB - Instrução de Processamento</target> <note /> </trans-unit> <trans-unit id="VB_XML_Literals_Text"> <source>VB XML Literals - Text</source> <target state="translated">Literais XML do VB - Texto</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Quotes"> <source>XML Doc Comments - Attribute Quotes</source> <target state="translated">Comentário da documentação XML - Aspas de Atributo</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Attribute_Value"> <source>XML Doc Comments - Attribute Value</source> <target state="translated">Comentário da documentação XML - Valor de Atributo</target> <note /> </trans-unit> <trans-unit id="Unnecessary_Code"> <source>Unnecessary Code</source> <target state="translated">Código Desnecessário</target> <note /> </trans-unit> <trans-unit id="Rude_Edit"> <source>Rude Edit</source> <target state="translated">Edição Rudimentar</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_1_reference_in_1_file"> <source>Rename will update 1 reference in 1 file.</source> <target state="translated">Renomear atualizará 1 referência em 1 arquivo.</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_0_references_in_1_file"> <source>Rename will update {0} references in 1 file.</source> <target state="translated">Renomear atualizará {0} referências em 1 arquivo.</target> <note /> </trans-unit> <trans-unit id="Rename_will_update_0_references_in_1_files"> <source>Rename will update {0} references in {1} files.</source> <target state="translated">Renomear atualizará {0} referências em {1} arquivos.</target> <note /> </trans-unit> <trans-unit id="Yes"> <source>Yes</source> <target state="translated">Sim</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element_because_it_is_contained_in_a_read_only_file"> <source>You cannot rename this element because it is contained in a read-only file.</source> <target state="translated">Você não pode renomear este elemento porque ele está contido em um arquivo somente leitura.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element_because_it_is_in_a_location_that_cannot_be_navigated_to"> <source>You cannot rename this element because it is in a location that cannot be navigated to.</source> <target state="translated">Você não pode renomear este elemento porque ele está em um local para o qual não é possível navegar.</target> <note /> </trans-unit> <trans-unit id="_0_bases"> <source>'{0}' bases</source> <target state="translated">Bases '{0}'</target> <note /> </trans-unit> <trans-unit id="_0_conflict_s_will_be_resolved"> <source>{0} conflict(s) will be resolved</source> <target state="translated">{0} conflito(s) será(ão) resolvido(s)</target> <note /> </trans-unit> <trans-unit id="_0_implemented_members"> <source>'{0}' implemented members</source> <target state="translated">'{0}' membros implementados</target> <note /> </trans-unit> <trans-unit id="_0_unresolvable_conflict_s"> <source>{0} unresolvable conflict(s)</source> <target state="translated">{0} conflito(s) não solucionável(is)</target> <note /> </trans-unit> <trans-unit id="Applying_0"> <source>Applying "{0}"...</source> <target state="translated">Aplicando "{0}"...</target> <note /> </trans-unit> <trans-unit id="Adding_0_to_1_with_content_colon"> <source>Adding '{0}' to '{1}' with content:</source> <target state="translated">Adicionando "{0}" a "{1}" com conteúdo:</target> <note /> </trans-unit> <trans-unit id="Adding_project_0"> <source>Adding project '{0}'</source> <target state="translated">Adicionando projeto "{0}"</target> <note /> </trans-unit> <trans-unit id="Removing_project_0"> <source>Removing project '{0}'</source> <target state="translated">Removendo projeto "{0}"</target> <note /> </trans-unit> <trans-unit id="Changing_project_references_for_0"> <source>Changing project references for '{0}'</source> <target state="translated">Alterar referências de projeto para "{0}"</target> <note /> </trans-unit> <trans-unit id="Adding_reference_0_to_1"> <source>Adding reference '{0}' to '{1}'</source> <target state="translated">Adicionando referência "{0}" a "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_reference_0_from_1"> <source>Removing reference '{0}' from '{1}'</source> <target state="translated">Removendo referência "{0}" de "{1}"</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_reference_0_to_1"> <source>Adding analyzer reference '{0}' to '{1}'</source> <target state="translated">Adicionando referência de analisador "{0}" a "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_reference_0_from_1"> <source>Removing analyzer reference '{0}' from '{1}'</source> <target state="translated">Removendo referência do analisador "{0}" de "{1}"</target> <note /> </trans-unit> <trans-unit id="XML_End_Tag_Completion"> <source>XML End Tag Completion</source> <target state="translated">Conclusão da Marca de Fim do XML</target> <note /> </trans-unit> <trans-unit id="Completing_Tag"> <source>Completing Tag</source> <target state="translated">Completando a Tag</target> <note /> </trans-unit> <trans-unit id="Encapsulate_Field"> <source>Encapsulate Field</source> <target state="translated">Encapsular Campo</target> <note /> </trans-unit> <trans-unit id="Applying_Encapsulate_Field_refactoring"> <source>Applying "Encapsulate Field" refactoring...</source> <target state="translated">Aplicando refatoração "Encapsular Campo"...</target> <note /> </trans-unit> <trans-unit id="Please_select_the_definition_of_the_field_to_encapsulate"> <source>Please select the definition of the field to encapsulate.</source> <target state="translated">Selecione a definição do campo a encapsular.</target> <note /> </trans-unit> <trans-unit id="Given_Workspace_doesn_t_support_Undo"> <source>Given Workspace doesn't support Undo</source> <target state="translated">Workspace fornecido não suporta Desfazer</target> <note /> </trans-unit> <trans-unit id="Searching"> <source>Searching...</source> <target state="translated">Pesquisando...</target> <note /> </trans-unit> <trans-unit id="Canceled"> <source>Canceled.</source> <target state="translated">Cancelado.</target> <note /> </trans-unit> <trans-unit id="No_information_found"> <source>No information found.</source> <target state="translated">Nenhuma informação encontrada.</target> <note /> </trans-unit> <trans-unit id="No_usages_found"> <source>No usages found.</source> <target state="translated">Nenhum uso encontrado.</target> <note /> </trans-unit> <trans-unit id="Implements_"> <source>Implements</source> <target state="translated">Implementos</target> <note /> </trans-unit> <trans-unit id="Implemented_By"> <source>Implemented By</source> <target state="translated">Implementado por</target> <note /> </trans-unit> <trans-unit id="Overrides_"> <source>Overrides</source> <target state="translated">Substitui</target> <note /> </trans-unit> <trans-unit id="Overridden_By"> <source>Overridden By</source> <target state="translated">Substituído por</target> <note /> </trans-unit> <trans-unit id="Directly_Called_In"> <source>Directly Called In</source> <target state="translated">Chamado Diretamente</target> <note /> </trans-unit> <trans-unit id="Indirectly_Called_In"> <source>Indirectly Called In</source> <target state="translated">Chamado Indiretamente </target> <note /> </trans-unit> <trans-unit id="Called_In"> <source>Called In</source> <target state="translated">Chamado Em</target> <note /> </trans-unit> <trans-unit id="Referenced_In"> <source>Referenced In</source> <target state="translated">Referenciado Em</target> <note /> </trans-unit> <trans-unit id="No_references_found"> <source>No references found.</source> <target state="translated">Nenhuma referência encontrada.</target> <note /> </trans-unit> <trans-unit id="No_derived_types_found"> <source>No derived types found.</source> <target state="translated">Nenhum tipo derivado encontrado.</target> <note /> </trans-unit> <trans-unit id="No_implementations_found"> <source>No implementations found.</source> <target state="translated">Nenhuma implementação encontrada.</target> <note /> </trans-unit> <trans-unit id="_0_Line_1"> <source>{0} - (Line {1})</source> <target state="translated">{0} - (Linha {1})</target> <note /> </trans-unit> <trans-unit id="Class_Parts"> <source>Class Parts</source> <target state="translated">Partes de Classe</target> <note /> </trans-unit> <trans-unit id="Struct_Parts"> <source>Struct Parts</source> <target state="translated">Partes de Struct</target> <note /> </trans-unit> <trans-unit id="Interface_Parts"> <source>Interface Parts</source> <target state="translated">Componentes da Interface</target> <note /> </trans-unit> <trans-unit id="Type_Parts"> <source>Type Parts</source> <target state="translated">Partes do Tipo</target> <note /> </trans-unit> <trans-unit id="Inherits_"> <source>Inherits</source> <target state="translated">Herda</target> <note /> </trans-unit> <trans-unit id="Inherited_By"> <source>Inherited By</source> <target state="translated">Herdado por</target> <note /> </trans-unit> <trans-unit id="Already_tracking_document_with_identical_key"> <source>Already tracking document with identical key</source> <target state="translated">Já está a rastrear o documento com chave idêntica</target> <note /> </trans-unit> <trans-unit id="analyzer_Prefer_auto_properties"> <source>Prefer auto properties</source> <target state="translated">Preferir propriedades automáticas</target> <note /> </trans-unit> <trans-unit id="document_is_not_currently_being_tracked"> <source>document is not currently being tracked</source> <target state="translated">documento não está sendo rastreado no momento</target> <note /> </trans-unit> <trans-unit id="Computing_Rename_information"> <source>Computing Rename information...</source> <target state="translated">Computando informações de Renomeação...</target> <note /> </trans-unit> <trans-unit id="Updating_files"> <source>Updating files...</source> <target state="translated">Atualizando arquivos...</target> <note /> </trans-unit> <trans-unit id="Rename_operation_was_cancelled_or_is_not_valid"> <source>Rename operation was cancelled or is not valid</source> <target state="translated">A operação de renomear foi cancelada ou não é válida</target> <note /> </trans-unit> <trans-unit id="Rename_Symbol"> <source>Rename Symbol</source> <target state="translated">Renomear Símbolo</target> <note /> </trans-unit> <trans-unit id="Text_Buffer_Change"> <source>Text Buffer Change</source> <target state="translated">Alteração no Buffer de Texto</target> <note /> </trans-unit> <trans-unit id="Rename_operation_was_not_properly_completed_Some_file_might_not_have_been_updated"> <source>Rename operation was not properly completed. Some file might not have been updated.</source> <target state="translated">A operação de renomear não foi corretamente concluída. Algum arquivo pode não ter sido atualizado.</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1"> <source>Rename '{0}' to '{1}'</source> <target state="translated">Renomear "{0}" para "{1}"</target> <note /> </trans-unit> <trans-unit id="Preview_Warning"> <source>Preview Warning</source> <target state="translated">Aviso de Visualização</target> <note /> </trans-unit> <trans-unit id="external"> <source>(external)</source> <target state="translated">(externo)</target> <note /> </trans-unit> <trans-unit id="Automatic_Line_Ender"> <source>Automatic Line Ender</source> <target state="translated">Finalizador de Linha Automático</target> <note /> </trans-unit> <trans-unit id="Automatically_completing"> <source>Automatically completing...</source> <target state="translated">Concluindo automaticamente...</target> <note /> </trans-unit> <trans-unit id="Automatic_Pair_Completion"> <source>Automatic Pair Completion</source> <target state="translated">Conclusão de Pares Automática</target> <note /> </trans-unit> <trans-unit id="An_active_inline_rename_session_is_still_active_Complete_it_before_starting_a_new_one"> <source>An active inline rename session is still active. Complete it before starting a new one.</source> <target state="translated">Uma sessão de renomeação embutida ativa ainda está ativa. Conclua-a antes de iniciar uma nova.</target> <note /> </trans-unit> <trans-unit id="The_buffer_is_not_part_of_a_workspace"> <source>The buffer is not part of a workspace.</source> <target state="translated">O buffer não é parte de um workspace.</target> <note /> </trans-unit> <trans-unit id="The_token_is_not_contained_in_the_workspace"> <source>The token is not contained in the workspace.</source> <target state="translated">O token não está contido no workspace.</target> <note /> </trans-unit> <trans-unit id="You_must_rename_an_identifier"> <source>You must rename an identifier.</source> <target state="translated">Você deve renomear um identificador.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_this_element"> <source>You cannot rename this element.</source> <target state="translated">Você não pode renomear este elemento.</target> <note /> </trans-unit> <trans-unit id="Please_resolve_errors_in_your_code_before_renaming_this_element"> <source>Please resolve errors in your code before renaming this element.</source> <target state="translated">Resolva erros em seu código antes de renomear este elemento.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_operators"> <source>You cannot rename operators.</source> <target state="translated">Você não pode renomear operadores.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_elements_that_are_defined_in_metadata"> <source>You cannot rename elements that are defined in metadata.</source> <target state="translated">Você não pode renomear elementos que estão definidos nos metadados.</target> <note /> </trans-unit> <trans-unit id="You_cannot_rename_elements_from_previous_submissions"> <source>You cannot rename elements from previous submissions.</source> <target state="translated">Você não pode renomear elementos de envios anteriores.</target> <note /> </trans-unit> <trans-unit id="Navigation_Bars"> <source>Navigation Bars</source> <target state="translated">Barras de Navegação</target> <note /> </trans-unit> <trans-unit id="Refreshing_navigation_bars"> <source>Refreshing navigation bars...</source> <target state="translated">Atualizando barras de navegação...</target> <note /> </trans-unit> <trans-unit id="Format_Token"> <source>Format Token</source> <target state="translated">Token de Formato</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Recuo Inteligente</target> <note /> </trans-unit> <trans-unit id="Find_References"> <source>Find References</source> <target state="translated">Localizar Referências</target> <note /> </trans-unit> <trans-unit id="Finding_references"> <source>Finding references...</source> <target state="translated">Localizando referências...</target> <note /> </trans-unit> <trans-unit id="Finding_references_of_0"> <source>Finding references of "{0}"...</source> <target state="translated">Localizando referências de "{0}"...</target> <note /> </trans-unit> <trans-unit id="Comment_Selection"> <source>Comment Selection</source> <target state="translated">Comentar Seleção</target> <note /> </trans-unit> <trans-unit id="Uncomment_Selection"> <source>Uncomment Selection</source> <target state="translated">Remover Comentários da Seleção</target> <note /> </trans-unit> <trans-unit id="Commenting_currently_selected_text"> <source>Commenting currently selected text...</source> <target state="translated">Comentando o texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Uncommenting_currently_selected_text"> <source>Uncommenting currently selected text...</source> <target state="translated">Removendo marca de comentário do texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Inserir Nova Linha</target> <note /> </trans-unit> <trans-unit id="Documentation_Comment"> <source>Documentation Comment</source> <target state="translated">Comentário de Documentação</target> <note /> </trans-unit> <trans-unit id="Inserting_documentation_comment"> <source>Inserting documentation comment...</source> <target state="translated">Inserindo comentário da documentação...</target> <note /> </trans-unit> <trans-unit id="Extract_Method"> <source>Extract Method</source> <target state="translated">Extrair Método</target> <note /> </trans-unit> <trans-unit id="Applying_Extract_Method_refactoring"> <source>Applying "Extract Method" refactoring...</source> <target state="translated">Aplicando refatoração "Extrair Método"...</target> <note /> </trans-unit> <trans-unit id="Format_Document"> <source>Format Document</source> <target state="translated">Formatar Documento</target> <note /> </trans-unit> <trans-unit id="Formatting_document"> <source>Formatting document...</source> <target state="translated">Formatando documento...</target> <note /> </trans-unit> <trans-unit id="Formatting"> <source>Formatting</source> <target state="translated">Formatação</target> <note /> </trans-unit> <trans-unit id="Format_Selection"> <source>Format Selection</source> <target state="translated">Formatar Seleção</target> <note /> </trans-unit> <trans-unit id="Formatting_currently_selected_text"> <source>Formatting currently selected text...</source> <target state="translated">Formatando texto selecionado no momento...</target> <note /> </trans-unit> <trans-unit id="Cannot_navigate_to_the_symbol_under_the_caret"> <source>Cannot navigate to the symbol under the caret.</source> <target state="translated">Não é possível navegar para o símbolo sob o cursor.</target> <note /> </trans-unit> <trans-unit id="Go_to_Definition"> <source>Go to Definition</source> <target state="translated">Ir para Definição</target> <note /> </trans-unit> <trans-unit id="Navigating_to_definition"> <source>Navigating to definition...</source> <target state="translated">Navegando para definição...</target> <note /> </trans-unit> <trans-unit id="Organize_Document"> <source>Organize Document</source> <target state="translated">Organizar Documento</target> <note /> </trans-unit> <trans-unit id="Organizing_document"> <source>Organizing document...</source> <target state="translated">Organizando documento...</target> <note /> </trans-unit> <trans-unit id="Highlighted_Definition"> <source>Highlighted Definition</source> <target state="translated">Definição Realçada</target> <note /> </trans-unit> <trans-unit id="The_new_name_is_not_a_valid_identifier"> <source>The new name is not a valid identifier.</source> <target state="translated">O novo nome não é um identificador válido.</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Fixup"> <source>Inline Rename Fixup</source> <target state="translated">Correção de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Resolved_Conflict"> <source>Inline Rename Resolved Conflict</source> <target state="translated">Conflito de Renomeação Embutida Resolvido </target> <note /> </trans-unit> <trans-unit id="Inline_Rename"> <source>Inline Rename</source> <target state="translated">Renomeação embutida</target> <note /> </trans-unit> <trans-unit id="Rename"> <source>Rename</source> <target state="translated">renomear</target> <note /> </trans-unit> <trans-unit id="Start_Rename"> <source>Start Rename</source> <target state="translated">Iniciar Renomeação</target> <note /> </trans-unit> <trans-unit id="Display_conflict_resolutions"> <source>Display conflict resolutions</source> <target state="translated">Exibir resoluções de conflitos</target> <note /> </trans-unit> <trans-unit id="Finding_token_to_rename"> <source>Finding token to rename...</source> <target state="translated">Localizando token para renomear...</target> <note /> </trans-unit> <trans-unit id="Conflict"> <source>Conflict</source> <target state="translated">Conflito</target> <note /> </trans-unit> <trans-unit id="Text_Navigation"> <source>Text Navigation</source> <target state="translated">Navegação de Texto</target> <note /> </trans-unit> <trans-unit id="Finding_word_extent"> <source>Finding word extent...</source> <target state="translated">Localizando de extensão de palavra...</target> <note /> </trans-unit> <trans-unit id="Finding_enclosing_span"> <source>Finding enclosing span...</source> <target state="translated">Localizando alcance de delimitação...</target> <note /> </trans-unit> <trans-unit id="Finding_span_of_next_sibling"> <source>Finding span of next sibling...</source> <target state="translated">Localizando a extensão do próximo irmão...</target> <note /> </trans-unit> <trans-unit id="Finding_span_of_previous_sibling"> <source>Finding span of previous sibling...</source> <target state="translated">Localizando a extensão do irmão anterior...</target> <note /> </trans-unit> <trans-unit id="Rename_colon_0"> <source>Rename: {0}</source> <target state="translated">Renomear: {0}</target> <note /> </trans-unit> <trans-unit id="Light_bulb_session_is_already_dismissed"> <source>Light bulb session is already dismissed.</source> <target state="translated">A sessão de lâmpada já foi descartada.</target> <note /> </trans-unit> <trans-unit id="Automatic_Pair_Completion_End_Point_Marker_Color"> <source>Automatic Pair Completion End Point Marker Color</source> <target state="translated">Cor do Marcador de Ponto Final da Conclusão de Pares Automática</target> <note /> </trans-unit> <trans-unit id="Renaming_anonymous_type_members_is_not_yet_supported"> <source>Renaming anonymous type members is not yet supported.</source> <target state="translated">Renomear membros de tipo anônimo ainda não é suportado.</target> <note /> </trans-unit> <trans-unit id="Engine_must_be_attached_to_an_Interactive_Window"> <source>Engine must be attached to an Interactive Window.</source> <target state="translated">O Mecanismo deve ser anexado a uma Janela Interativa.</target> <note /> </trans-unit> <trans-unit id="Changes_the_current_prompt_settings"> <source>Changes the current prompt settings.</source> <target state="translated">Altera as configurações de prompt atuais.</target> <note /> </trans-unit> <trans-unit id="Unexpected_text_colon_0"> <source>Unexpected text: '{0}'</source> <target state="translated">Texto inesperado: "{0}"</target> <note /> </trans-unit> <trans-unit id="The_triggerSpan_is_not_included_in_the_given_workspace"> <source>The triggerSpan is not included in the given workspace.</source> <target state="translated">O triggerSpan não está incluído no workspace fornecido.</target> <note /> </trans-unit> <trans-unit id="This_session_has_already_been_dismissed"> <source>This session has already been dismissed.</source> <target state="translated">Esta sessão já foi descartada.</target> <note /> </trans-unit> <trans-unit id="The_transaction_is_already_complete"> <source>The transaction is already complete.</source> <target state="translated">A transação já está concluída.</target> <note /> </trans-unit> <trans-unit id="Not_a_source_error_line_column_unavailable"> <source>Not a source error, line/column unavailable</source> <target state="translated">Não é um erro de origem, linha/coluna disponível</target> <note /> </trans-unit> <trans-unit id="Can_t_compare_positions_from_different_text_snapshots"> <source>Can't compare positions from different text snapshots</source> <target state="translated">Não é possível comparar as posições de instantâneos de textos diferentes</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Entity_Reference"> <source>XML Doc Comments - Entity Reference</source> <target state="translated">Comentário da documentação XML - Referência de Entidade</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Name"> <source>XML Doc Comments - Name</source> <target state="translated">Comentário da documentação XML - Nome</target> <note /> </trans-unit> <trans-unit id="XML_Doc_Comments_Processing_Instruction"> <source>XML Doc Comments - Processing Instruction</source> <target state="translated">Comentário da documentação XML - Instrução de Processamento</target> <note /> </trans-unit> <trans-unit id="Active_Statement"> <source>Active Statement</source> <target state="translated">Instrução Ativa</target> <note /> </trans-unit> <trans-unit id="Loading_Peek_information"> <source>Loading Peek information...</source> <target state="translated">Carregando informações de Espiada...</target> <note /> </trans-unit> <trans-unit id="Peek"> <source>Peek</source> <target state="translated">Espiada</target> <note /> </trans-unit> <trans-unit id="Apply1"> <source>_Apply</source> <target state="translated">_Aplicar</target> <note /> </trans-unit> <trans-unit id="Include_overload_s"> <source>Include _overload(s)</source> <target state="translated">Incluir _overload(s)</target> <note /> </trans-unit> <trans-unit id="Include_comments"> <source>Include _comments</source> <target state="translated">Incluir _comments</target> <note /> </trans-unit> <trans-unit id="Include_strings"> <source>Include _strings</source> <target state="translated">Incluir _strings</target> <note /> </trans-unit> <trans-unit id="Apply2"> <source>Apply</source> <target state="translated">Aplicar</target> <note /> </trans-unit> <trans-unit id="Change_Signature"> <source>Change Signature</source> <target state="translated">Alterar Assinatura</target> <note /> </trans-unit> <trans-unit id="Preview_Changes_0"> <source>Preview Changes - {0}</source> <target state="translated">Visualizar Alterações - {0}</target> <note /> </trans-unit> <trans-unit id="Preview_Code_Changes_colon"> <source>Preview Code Changes:</source> <target state="translated">Visualizar Alterações de Código:</target> <note /> </trans-unit> <trans-unit id="Preview_Changes"> <source>Preview Changes</source> <target state="translated">Visualizar Alterações</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Colar Formato</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Formatando texto colado...</target> <note /> </trans-unit> <trans-unit id="The_definition_of_the_object_is_hidden"> <source>The definition of the object is hidden.</source> <target state="translated">A definição do objeto está oculta.</target> <note /> </trans-unit> <trans-unit id="Automatic_Formatting"> <source>Automatic Formatting</source> <target state="translated">Formatação Automática</target> <note /> </trans-unit> <trans-unit id="We_can_fix_the_error_by_not_making_struct_out_ref_parameter_s_Do_you_want_to_proceed"> <source>We can fix the error by not making struct "out/ref" parameter(s). Do you want to proceed?</source> <target state="translated">Podemos corrigir o erro ao não fazer struct de parâmetro(s) "out/ref". Deseja continuar?</target> <note /> </trans-unit> <trans-unit id="Change_Signature_colon"> <source>Change Signature:</source> <target state="translated">Alterar Assinatura:</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1_colon"> <source>Rename '{0}' to '{1}':</source> <target state="translated">Renomear '{0}' para '{1}':</target> <note /> </trans-unit> <trans-unit id="Encapsulate_Field_colon"> <source>Encapsulate Field:</source> <target state="translated">Encapsular Campo:</target> <note /> </trans-unit> <trans-unit id="Call_Hierarchy"> <source>Call Hierarchy</source> <target state="translated">Hierarquia de Chamada</target> <note /> </trans-unit> <trans-unit id="Calls_To_0"> <source>Calls To '{0}'</source> <target state="translated">Chamadas para '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Base_Member_0"> <source>Calls To Base Member '{0}'</source> <target state="translated">Chamadas para Membro Base '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Interface_Implementation_0"> <source>Calls To Interface Implementation '{0}'</source> <target state="translated">Chamadas para Implementação de Interface '{0}'</target> <note /> </trans-unit> <trans-unit id="Computing_Call_Hierarchy_Information"> <source>Computing Call Hierarchy Information</source> <target state="translated">Informações sobre Hierarquia de Chamada de Computação</target> <note /> </trans-unit> <trans-unit id="Implements_0"> <source>Implements '{0}'</source> <target state="translated">Implementa '{0}'</target> <note /> </trans-unit> <trans-unit id="Initializers"> <source>Initializers</source> <target state="translated">Inicializadores</target> <note /> </trans-unit> <trans-unit id="References_To_Field_0"> <source>References To Field '{0}'</source> <target state="translated">Referências ao Campo '{0}'</target> <note /> </trans-unit> <trans-unit id="Calls_To_Overrides"> <source>Calls To Overrides</source> <target state="translated">Chamadas para Substituições</target> <note /> </trans-unit> <trans-unit id="Preview_changes1"> <source>_Preview changes</source> <target state="translated">Alterações de _Preview</target> <note /> </trans-unit> <trans-unit id="Apply3"> <source>Apply</source> <target state="translated">Aplicar</target> <note /> </trans-unit> <trans-unit id="Cancel"> <source>Cancel</source> <target state="translated">Cancelar</target> <note /> </trans-unit> <trans-unit id="Changes"> <source>Changes</source> <target state="translated">Alterações</target> <note /> </trans-unit> <trans-unit id="Preview_changes2"> <source>Preview changes</source> <target state="translated">Visualizar alterações</target> <note /> </trans-unit> <trans-unit id="IntelliSense"> <source>IntelliSense</source> <target state="translated">IntelliSense</target> <note /> </trans-unit> <trans-unit id="IntelliSense_Commit_Formatting"> <source>IntelliSense Commit Formatting</source> <target state="translated">Formatação de Confirmação IntelliSense</target> <note /> </trans-unit> <trans-unit id="Rename_Tracking"> <source>Rename Tracking</source> <target state="translated">Renomear Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Removing_0_from_1_with_content_colon"> <source>Removing '{0}' from '{1}' with content:</source> <target state="translated">Removendo '{0}' de '{1}' com conteúdo:</target> <note /> </trans-unit> <trans-unit id="_0_does_not_support_the_1_operation_However_it_may_contain_nested_2_s_see_2_3_that_support_this_operation"> <source>'{0}' does not support the '{1}' operation. However, it may contain nested '{2}'s (see '{2}.{3}') that support this operation.</source> <target state="translated">'{0}' não dá suporte à operação '{1}'. No entanto, ele pode conter '{2}'s aninhados (consulte '{2}.{3}') que dá suporte a esta operação.</target> <note /> </trans-unit> <trans-unit id="Brace_Completion"> <source>Brace Completion</source> <target state="translated">Preenchimento de Chaves</target> <note /> </trans-unit> <trans-unit id="Cannot_apply_operation_while_a_rename_session_is_active"> <source>Cannot apply operation while a rename session is active.</source> <target state="translated">Não é possível aplicar a operação enquanto uma sessão de renomeação está ativa.</target> <note /> </trans-unit> <trans-unit id="The_rename_tracking_session_was_cancelled_and_is_no_longer_available"> <source>The rename tracking session was cancelled and is no longer available.</source> <target state="translated">A sessão de acompanhamento de renomeação foi cancelada e não está mais disponível.</target> <note /> </trans-unit> <trans-unit id="Highlighted_Written_Reference"> <source>Highlighted Written Reference</source> <target state="translated">Referência Escrita Realçada</target> <note /> </trans-unit> <trans-unit id="Cursor_must_be_on_a_member_name"> <source>Cursor must be on a member name.</source> <target state="translated">O cursor deve estar em um nome do membro.</target> <note /> </trans-unit> <trans-unit id="Brace_Matching"> <source>Brace Matching</source> <target state="translated">Correspondência de Chaves</target> <note /> </trans-unit> <trans-unit id="Locating_implementations"> <source>Locating implementations...</source> <target state="translated">Localizando implementações...</target> <note /> </trans-unit> <trans-unit id="Go_To_Implementation"> <source>Go To Implementation</source> <target state="translated">Ir Para Implementação</target> <note /> </trans-unit> <trans-unit id="The_symbol_has_no_implementations"> <source>The symbol has no implementations.</source> <target state="translated">O símbolo não tem implementações.</target> <note /> </trans-unit> <trans-unit id="New_name_colon_0"> <source>New name: {0}</source> <target state="translated">Novo nome: {0}</target> <note /> </trans-unit> <trans-unit id="Modify_any_highlighted_location_to_begin_renaming"> <source>Modify any highlighted location to begin renaming.</source> <target state="translated">Modifique qualquer local realçado para iniciar a renomeação.</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Colar</target> <note /> </trans-unit> <trans-unit id="Navigating"> <source>Navigating...</source> <target state="translated">Navegando...</target> <note /> </trans-unit> <trans-unit id="Suggestion_ellipses"> <source>Suggestion ellipses (…)</source> <target state="translated">Reticências de sugestão (…)</target> <note /> </trans-unit> <trans-unit id="_0_references"> <source>'{0}' references</source> <target state="translated">'{0}' referências</target> <note /> </trans-unit> <trans-unit id="_0_implementations"> <source>'{0}' implementations</source> <target state="translated">'Implementações de '{0}'</target> <note /> </trans-unit> <trans-unit id="_0_declarations"> <source>'{0}' declarations</source> <target state="translated">'Declarações de '{0}'</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Conflict"> <source>Inline Rename Conflict</source> <target state="translated">Conflito de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Field_Background_and_Border"> <source>Inline Rename Field Background and Border</source> <target state="translated">Borda e Tela de Fundo do Campo de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Inline_Rename_Field_Text"> <source>Inline Rename Field Text</source> <target state="translated">Texto do Campo de Renomeação Embutida</target> <note /> </trans-unit> <trans-unit id="Block_Comment_Editing"> <source>Block Comment Editing</source> <target state="translated">Bloquear Edição de Comentário</target> <note /> </trans-unit> <trans-unit id="Comment_Uncomment_Selection"> <source>Comment/Uncomment Selection</source> <target state="translated">Comentar/Remover Marca de Comentário da Seleção</target> <note /> </trans-unit> <trans-unit id="Code_Completion"> <source>Code Completion</source> <target state="translated">Conclusão de Código</target> <note /> </trans-unit> <trans-unit id="Execute_In_Interactive"> <source>Execute In Interactive</source> <target state="translated">Executar em Interativo</target> <note /> </trans-unit> <trans-unit id="Extract_Interface"> <source>Extract Interface</source> <target state="translated">Extrair a Interface</target> <note /> </trans-unit> <trans-unit id="Go_To_Adjacent_Member"> <source>Go To Adjacent Member</source> <target state="translated">Ir para Membro Adjacente</target> <note /> </trans-unit> <trans-unit id="Interactive"> <source>Interactive</source> <target state="translated">Interativo</target> <note /> </trans-unit> <trans-unit id="Paste_in_Interactive"> <source>Paste in Interactive</source> <target state="translated">Colar em Interativo</target> <note /> </trans-unit> <trans-unit id="Navigate_To_Highlight_Reference"> <source>Navigate To Highlighted Reference</source> <target state="translated">Navegar para Referência Realçada</target> <note /> </trans-unit> <trans-unit id="Outlining"> <source>Outlining</source> <target state="translated">Estrutura de Tópicos</target> <note /> </trans-unit> <trans-unit id="Rename_Tracking_Cancellation"> <source>Rename Tracking Cancellation</source> <target state="translated">Renomear Cancelamento de Acompanhamento</target> <note /> </trans-unit> <trans-unit id="Signature_Help"> <source>Signature Help</source> <target state="translated">Ajuda da Assinatura</target> <note /> </trans-unit> <trans-unit id="Smart_Token_Formatter"> <source>Smart Token Formatter</source> <target state="translated">Formatador de Token Inteligente</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/VisualStudioDiagnosticsToolWindow/xlf/VisualStudioDiagnosticsWindow.vsct.de.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../VisualStudioDiagnosticsWindow.vsct"> <body> <trans-unit id="cmdIDRoslynDiagnosticWindow|CommandName"> <source>cmdIDRoslynDiagnosticWindow</source> <target state="translated">cmdIDRoslynDiagnosticWindow</target> <note /> </trans-unit> <trans-unit id="cmdIDRoslynDiagnosticWindow|ButtonText"> <source>Roslyn Diagnostics</source> <target state="translated">Roslyn-Diagnose</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../VisualStudioDiagnosticsWindow.vsct"> <body> <trans-unit id="cmdIDRoslynDiagnosticWindow|CommandName"> <source>cmdIDRoslynDiagnosticWindow</source> <target state="translated">cmdIDRoslynDiagnosticWindow</target> <note /> </trans-unit> <trans-unit id="cmdIDRoslynDiagnosticWindow|ButtonText"> <source>Roslyn Diagnostics</source> <target state="translated">Roslyn-Diagnose</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/ExpressionEvaluator/VisualBasic/Source/ExpressionCompiler/xlf/Resources.it.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../Resources.resx"> <body> <trans-unit id="InvalidDebuggerStatement"> <source>Statements of type '{0}' are not allowed in the Immediate window.</source> <target state="translated">Le istruzioni di tipo '{0}' non sono consentite nella finestra Immediato.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../Resources.resx"> <body> <trans-unit id="InvalidDebuggerStatement"> <source>Statements of type '{0}' are not allowed in the Immediate window.</source> <target state="translated">Le istruzioni di tipo '{0}' non sono consentite nella finestra Immediato.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/VisualBasic/xlf/VBEditorResources.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">Yapıştırırken Eksik Import İfadelerini Ekle</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">Eksik import ifadeleri ekleniyor...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">Büyük/Küçük Harf Düzeltmesi</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">Sözcük büyük/küçük harfleri düzeltiliyor...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">Bu çağrı tasarımcı için gerekli.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">InitializeComponent() çağrısından sonra başlangıç değer ekleyin.</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">Bitiş Yapısı</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Akıllı Girintileme</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">Belge biçimlendiriliyor...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Yeni Satır Ekle</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Yapıştırmayı Biçimlendir</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Yapıştırılan metin biçimlendiriliyor...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Yapıştır</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">Kaydetmede Biçimlendir</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">Satır işleniyor</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Visual Basic Düzgün Listesi</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">Desteklenmiyor</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">Üye Üret</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">Satır işleme</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">Abstract Sınıfını veya Interface Uygula</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">Yapıştırırken Eksik Import İfadelerini Ekle</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">Eksik import ifadeleri ekleniyor...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">Büyük/Küçük Harf Düzeltmesi</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">Sözcük büyük/küçük harfleri düzeltiliyor...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">Bu çağrı tasarımcı için gerekli.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">InitializeComponent() çağrısından sonra başlangıç değer ekleyin.</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">Bitiş Yapısı</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Akıllı Girintileme</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">Belge biçimlendiriliyor...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Yeni Satır Ekle</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Yapıştırmayı Biçimlendir</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Yapıştırılan metin biçimlendiriliyor...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Yapıştır</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">Kaydetmede Biçimlendir</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">Satır işleniyor</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Visual Basic Düzgün Listesi</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">Desteklenmiyor</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">Üye Üret</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">Satır işleme</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">Abstract Sınıfını veya Interface Uygula</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/ExpressionEvaluator/VisualBasic/Source/ExpressionCompiler/Resources.resx
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="InvalidDebuggerStatement" xml:space="preserve"> <value>Statements of type '{0}' are not allowed in the Immediate window.</value> </data> </root>
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="InvalidDebuggerStatement" xml:space="preserve"> <value>Statements of type '{0}' are not allowed in the Immediate window.</value> </data> </root>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/Core/Def/xlf/VSPackage.it.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../VSPackage.resx"> <body /> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../VSPackage.resx"> <body /> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/CSharp/xlf/CSharpEditorResources.de.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../CSharpEditorResources.resx"> <body> <trans-unit id="Add_Missing_Usings_on_Paste"> <source>Add Missing Usings on Paste</source> <target state="translated">Beim Einfügen fehlende using-Anweisungen hinzufügen</target> <note>"usings" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_usings"> <source>Adding missing usings...</source> <target state="translated">Fehlende using-Anweisungen werden hinzugefügt...</target> <note>Shown in a thread await dialog. "usings" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Avoid_expression_statements_that_implicitly_ignore_value"> <source>Avoid expression statements that implicitly ignore value</source> <target state="translated">Ausdrucksanweisungen vermeiden, die implizit Werte ignorieren</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_value_assignments"> <source>Avoid unused value assignments</source> <target state="translated">Zuweisungen nicht verwendeter Werte vermeiden</target> <note /> </trans-unit> <trans-unit id="Chosen_version_0"> <source>Chosen version: '{0}'</source> <target state="translated">Ausgewählte Version: {0}</target> <note /> </trans-unit> <trans-unit id="Complete_statement_on_semicolon"> <source>Complete statement on ;</source> <target state="translated">Anweisung abschließen bei ";"</target> <note /> </trans-unit> <trans-unit id="Could_not_find_by_name_0"> <source>Could not find by name: '{0}'</source> <target state="translated">Der Name "{0}" wurde nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Decompilation_log"> <source>Decompilation log</source> <target state="translated">Dekompilierungsprotokoll</target> <note /> </trans-unit> <trans-unit id="Discard"> <source>Discard</source> <target state="translated">Verwerfen</target> <note /> </trans-unit> <trans-unit id="Elsewhere"> <source>Elsewhere</source> <target state="translated">Anderswo</target> <note /> </trans-unit> <trans-unit id="Fix_interpolated_verbatim_string"> <source>Fix interpolated verbatim string</source> <target state="translated">Interpolierte ausführliche Zeichenfolge korrigieren</target> <note /> </trans-unit> <trans-unit id="For_built_in_types"> <source>For built-in types</source> <target state="translated">Für integrierte Typen</target> <note /> </trans-unit> <trans-unit id="Found_0_assemblies_for_1"> <source>Found '{0}' assemblies for '{1}':</source> <target state="translated">{0} Assemblys für "{1}" gefunden:</target> <note /> </trans-unit> <trans-unit id="Found_exact_match_0"> <source>Found exact match: '{0}'</source> <target state="translated">Exakte Übereinstimmung gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Found_higher_version_match_0"> <source>Found higher version match: '{0}'</source> <target state="translated">Höhere Versionsübereinstimmung gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Found_single_assembly_0"> <source>Found single assembly: '{0}'</source> <target state="translated">Einzelne Assembly gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Generate_Event_Subscription"> <source>Generate Event Subscription</source> <target state="translated">Ereignisabonnement generieren</target> <note /> </trans-unit> <trans-unit id="Ignore_spaces_in_declaration_statements"> <source>Ignore spaces in declaration statements</source> <target state="translated">Leerzeichen um Deklarationsanweisungen ignorieren</target> <note /> </trans-unit> <trans-unit id="Indent_block_contents"> <source>Indent block contents</source> <target state="translated">Blockinhalte einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_case_contents"> <source>Indent case contents</source> <target state="translated">case-Inhalte einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_case_contents_when_block"> <source>Indent case contents (when block)</source> <target state="translated">Case-Inhalte einziehen (bei Block)</target> <note /> </trans-unit> <trans-unit id="Indent_case_labels"> <source>Indent case labels</source> <target state="translated">case-Bezeichnungen einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_open_and_close_braces"> <source>Indent open and close braces</source> <target state="translated">Öffnende und schließende geschweifte Klammern einziehen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_cast"> <source>Insert space after cast</source> <target state="translated">Leerzeichen nach Umwandlung einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_colon_for_base_or_interface_in_type_declaration"> <source>Insert space after colon for base or interface in type declaration</source> <target state="translated">In Typdeklarationen Leerzeichen nach Doppelpunkt für Basis oder Schnittstelle einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_comma"> <source>Insert space after comma</source> <target state="translated">Leerzeichen nach Komma einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_dot"> <source>Insert space after dot</source> <target state="translated">Leerzeichen nach Punkt einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_keywords_in_control_flow_statements"> <source>Insert space after keywords in control flow statements</source> <target state="translated">Leerzeichen nach Schlüsselwörtern in Anweisungen für die Ablaufsteuerung einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_semicolon_in_for_statement"> <source>Insert space after semicolon in "for" statement</source> <target state="translated">In for-Anweisung Leerzeichen nach Semikolon einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_colon_for_base_or_interface_in_type_declaration"> <source>Insert space before colon for base or interface in type declaration</source> <target state="translated">In Typdeklarationen Leerzeichen vor Doppelpunkt für Basis oder Schnittstelle einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_comma"> <source>Insert space before comma</source> <target state="translated">Leerzeichen vor Komma einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_dot"> <source>Insert space before dot</source> <target state="translated">Leerzeichen vor Punkt einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_open_square_bracket"> <source>Insert space before open square bracket</source> <target state="translated">Leerzeichen vor öffnender eckiger Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_semicolon_in_for_statement"> <source>Insert space before semicolon in "for" statement</source> <target state="translated">In for-Anweisung Leerzeichen vor Semikolon einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_between_method_name_and_its_opening_parenthesis1"> <source>Insert space between method name and its opening parenthesis</source> <target state="translated">Leerzeichen zwischen Methodenname und öffnender runder Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_between_method_name_and_its_opening_parenthesis2"> <source>Insert space between method name and its opening parenthesis</source> <target state="translated">Leerzeichen zwischen Methodenname und öffnender runder Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_argument_list_parentheses"> <source>Insert space within argument list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern um Argumentliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_argument_list_parentheses"> <source>Insert space within empty argument list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern um leere Argumentliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_parameter_list_parentheses"> <source>Insert space within empty parameter list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern in leere Parameterliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_square_brackets"> <source>Insert space within empty square brackets</source> <target state="translated">Leerzeichen zwischen leeren eckigen Klammern einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parameter_list_parentheses"> <source>Insert space within parameter list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern in Parameterliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parentheses_of_expressions"> <source>Insert space within parentheses of expressions</source> <target state="translated">Leerzeichen zwischen runden Klammern von Ausdrücken einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parentheses_of_type_casts"> <source>Insert space within parentheses of type casts</source> <target state="translated">Leerzeichen zwischen runde Klammern für Typumwandlungen einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_spaces_within_parentheses_of_control_flow_statements"> <source>Insert spaces within parentheses of control flow statements</source> <target state="translated">Leerzeichen zwischen den Klammern von Ablaufsteuerungsanweisungen einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_spaces_within_square_brackets"> <source>Insert spaces within square brackets</source> <target state="translated">Leerzeichen zwischen eckigen Klammern einfügen</target> <note /> </trans-unit> <trans-unit id="Inside_namespace"> <source>Inside namespace</source> <target state="translated">Innerhalb des Namespaces</target> <note /> </trans-unit> <trans-unit id="Label_Indentation"> <source>Label Indentation</source> <target state="translated">Bezeichnungseinzug</target> <note /> </trans-unit> <trans-unit id="Leave_block_on_single_line"> <source>Leave block on single line</source> <target state="translated">Block auf einzelner Zeile belassen</target> <note /> </trans-unit> <trans-unit id="Leave_statements_and_member_declarations_on_the_same_line"> <source>Leave statements and member declarations on the same line</source> <target state="translated">Anweisungen und Memberdeklarationen auf der gleichen Zeile belassen</target> <note /> </trans-unit> <trans-unit id="Load_from_0"> <source>Load from: '{0}'</source> <target state="translated">Laden von: {0}</target> <note /> </trans-unit> <trans-unit id="Module_not_found"> <source>Module not found!</source> <target state="translated">Das Modul wurde nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Never"> <source>Never</source> <target state="translated">Nie</target> <note /> </trans-unit> <trans-unit id="Outside_namespace"> <source>Outside namespace</source> <target state="translated">Außerhalb des Namespaces</target> <note /> </trans-unit> <trans-unit id="Place_catch_on_new_line"> <source>Place "catch" on new line</source> <target state="translated">catch-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_else_on_new_line"> <source>Place "else" on new line</source> <target state="translated">else-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_finally_on_new_line"> <source>Place "finally" on new line</source> <target state="translated">finally-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_members_in_anonymous_types_on_new_line"> <source>Place members in anonymous types on new line</source> <target state="translated">Member in anonymen Typen in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_members_in_object_initializers_on_new_line"> <source>Place members in object initializers on new line</source> <target state="translated">Elemente in Objektinitialisierern in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_anonymous_methods"> <source>Place open brace on new line for anonymous methods</source> <target state="translated">Öffnende geschweifte Klammer für anonyme Methoden in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_anonymous_types"> <source>Place open brace on new line for anonymous types</source> <target state="translated">Öffnende geschweifte Klammer für anonyme Typen in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_control_blocks"> <source>Place open brace on new line for control blocks</source> <target state="translated">Öffnende geschweifte Klammer für Kontrollblöcke in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_lambda_expression"> <source>Place open brace on new line for lambda expression</source> <target state="translated">Öffnende geschweifte Klammer für Lambdaausdruck in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_methods_local_functions"> <source>Place open brace on new line for methods and local functions</source> <target state="translated">Öffnende geschweifte Klammer in neuer Zeile für Methoden und lokale Funktionen einfügen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_object_collection_array_and_with_initializers"> <source>Place open brace on new line for object, collection, array, and with initializers</source> <target state="translated">Öffnende geschweifte Klammer für Objekt-, Sammlungs-, Array- und with-Initialisierer in neue Zeile einfügen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_properties_indexers_and_events"> <source>Place open brace on new line for properties, indexers, and events</source> <target state="translated">Fügt eine öffnende geschweifte Klammer für Eigenschaften, Indexer und Ereignisse in einer neuen Zeile ein.</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_property_indexer_and_event_accessors"> <source>Place open brace on new line for property, indexer, and event accessors</source> <target state="translated">Fügt eine öffnende geschweifte Klammer für eine Eigenschaft, den Indexer und Ereignisaccessor in einer neuen Zeile ein.</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_types"> <source>Place open brace on new line for types</source> <target state="translated">Öffnende geschweifte Klammer für Typen in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_query_expression_clauses_on_new_line"> <source>Place query expression clauses on new line</source> <target state="translated">Klauseln von Abfrageausdrücken in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_delegate_call"> <source>Prefer conditional delegate call</source> <target state="translated">Bedingten Delegataufruf bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_deconstructed_variable_declaration"> <source>Prefer deconstructed variable declaration</source> <target state="translated">Dekonstruierte Variablendeklaration vorziehen</target> <note /> </trans-unit> <trans-unit id="Prefer_explicit_type"> <source>Prefer explicit type</source> <target state="translated">Expliziten Typ bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_index_operator"> <source>Prefer index operator</source> <target state="translated">Indexoperator bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_inlined_variable_declaration"> <source>Prefer inlined variable declaration</source> <target state="translated">Inlinevariablendeklaration vorziehen</target> <note /> </trans-unit> <trans-unit id="Prefer_local_function_over_anonymous_function"> <source>Prefer local function over anonymous function</source> <target state="translated">Lokale Funktion gegenüber anonymer Funktion bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_null_check_over_type_check"> <source>Prefer 'null' check over type check</source> <target state="new">Prefer 'null' check over type check</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching"> <source>Prefer pattern matching</source> <target state="translated">Musterabgleich bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_as_with_null_check"> <source>Prefer pattern matching over 'as' with 'null' check</source> <target state="translated">Bei der NULL-Überprüfung Musterabgleich gegenüber "as" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_is_with_cast_check"> <source>Prefer pattern matching over 'is' with 'cast' check</source> <target state="translated">Bei der cast-Überprüfung Musterabgleich gegenüber "is" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_mixed_type_check"> <source>Prefer pattern matching over mixed type check</source> <target state="translated">Musterabgleich gegenüber der Überprüfung gemischter Typen bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_range_operator"> <source>Prefer range operator</source> <target state="translated">Bereichsoperator bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_simple_default_expression"> <source>Prefer simple 'default' expression</source> <target state="translated">Einfachen "default"-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_simple_using_statement"> <source>Prefer simple 'using' statement</source> <target state="translated">Einfache using-Anweisung bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_static_local_functions"> <source>Prefer static local functions</source> <target state="translated">Statische lokale Funktionen bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_switch_expression"> <source>Prefer switch expression</source> <target state="translated">Switch-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_throw_expression"> <source>Prefer throw-expression</source> <target state="translated">throw-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_var"> <source>Prefer 'var'</source> <target state="translated">"var" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Preferred_using_directive_placement"> <source>Preferred 'using' directive placement</source> <target state="translated">Bevorzugte Platzierung der using-Anweisung</target> <note /> </trans-unit> <trans-unit id="Press_TAB_to_insert"> <source> (Press TAB to insert)</source> <target state="translated"> (Zum Einfügen TAB-TASTE drücken)</target> <note /> </trans-unit> <trans-unit id="Resolve_0"> <source>Resolve: '{0}'</source> <target state="translated">Auflösen: {0}</target> <note /> </trans-unit> <trans-unit id="Resolve_module_0_of_1"> <source>Resolve module: '{0}' of '{1}'</source> <target state="translated">Modul auflösen: {0} von {1}</target> <note /> </trans-unit> <trans-unit id="Set_spacing_for_operators"> <source>Set spacing for operators</source> <target state="translated">Abstände für Operatoren festlegen</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Intelligenter Einzug</target> <note /> </trans-unit> <trans-unit id="Split_string"> <source>Split string</source> <target state="translated">Zeichenfolge teilen</target> <note /> </trans-unit> <trans-unit id="Unused_local"> <source>Unused local</source> <target state="translated">Nicht verwendete lokale Variable</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_accessors"> <source>Use expression body for accessors</source> <target state="translated">Ausdruckskörper für Accessoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_constructors"> <source>Use expression body for constructors</source> <target state="translated">Ausdruckskörper für Konstruktoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_indexers"> <source>Use expression body for indexers</source> <target state="translated">Ausdruckskörper für Indexer verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambdas"> <source>Use expression body for lambdas</source> <target state="translated">Ausdruckskörper für Lambdaausdrücke verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_local_functions"> <source>Use expression body for local functions</source> <target state="translated">Ausdruckstext für lokale Funktionen verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_methods"> <source>Use expression body for methods</source> <target state="translated">Ausdruckskörper für Methoden verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_operators"> <source>Use expression body for operators</source> <target state="translated">Ausdruckskörper für Operatoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_properties"> <source>Use expression body for properties</source> <target state="translated">Ausdruckskörper für Eigenschaften verwenden</target> <note /> </trans-unit> <trans-unit id="WARN_Version_mismatch_Expected_0_Got_1"> <source>WARN: Version mismatch. Expected: '{0}', Got: '{1}'</source> <target state="translated">WARNUNG: Versionskonflikt. Erwartet: "{0}", erhalten: "{1}"</target> <note /> </trans-unit> <trans-unit id="When_on_single_line"> <source>When on single line</source> <target state="translated">In einzelner Zeile</target> <note /> </trans-unit> <trans-unit id="When_possible"> <source>When possible</source> <target state="translated">Wenn möglich</target> <note /> </trans-unit> <trans-unit id="When_variable_type_is_apparent"> <source>When variable type is apparent</source> <target state="translated">Wenn der Variablentyp offensichtlich ist</target> <note /> </trans-unit> <trans-unit id="_0_items_in_cache"> <source>'{0}' items in cache</source> <target state="translated">{0} Elemente im Cache</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../CSharpEditorResources.resx"> <body> <trans-unit id="Add_Missing_Usings_on_Paste"> <source>Add Missing Usings on Paste</source> <target state="translated">Beim Einfügen fehlende using-Anweisungen hinzufügen</target> <note>"usings" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_usings"> <source>Adding missing usings...</source> <target state="translated">Fehlende using-Anweisungen werden hinzugefügt...</target> <note>Shown in a thread await dialog. "usings" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Avoid_expression_statements_that_implicitly_ignore_value"> <source>Avoid expression statements that implicitly ignore value</source> <target state="translated">Ausdrucksanweisungen vermeiden, die implizit Werte ignorieren</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_value_assignments"> <source>Avoid unused value assignments</source> <target state="translated">Zuweisungen nicht verwendeter Werte vermeiden</target> <note /> </trans-unit> <trans-unit id="Chosen_version_0"> <source>Chosen version: '{0}'</source> <target state="translated">Ausgewählte Version: {0}</target> <note /> </trans-unit> <trans-unit id="Complete_statement_on_semicolon"> <source>Complete statement on ;</source> <target state="translated">Anweisung abschließen bei ";"</target> <note /> </trans-unit> <trans-unit id="Could_not_find_by_name_0"> <source>Could not find by name: '{0}'</source> <target state="translated">Der Name "{0}" wurde nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Decompilation_log"> <source>Decompilation log</source> <target state="translated">Dekompilierungsprotokoll</target> <note /> </trans-unit> <trans-unit id="Discard"> <source>Discard</source> <target state="translated">Verwerfen</target> <note /> </trans-unit> <trans-unit id="Elsewhere"> <source>Elsewhere</source> <target state="translated">Anderswo</target> <note /> </trans-unit> <trans-unit id="Fix_interpolated_verbatim_string"> <source>Fix interpolated verbatim string</source> <target state="translated">Interpolierte ausführliche Zeichenfolge korrigieren</target> <note /> </trans-unit> <trans-unit id="For_built_in_types"> <source>For built-in types</source> <target state="translated">Für integrierte Typen</target> <note /> </trans-unit> <trans-unit id="Found_0_assemblies_for_1"> <source>Found '{0}' assemblies for '{1}':</source> <target state="translated">{0} Assemblys für "{1}" gefunden:</target> <note /> </trans-unit> <trans-unit id="Found_exact_match_0"> <source>Found exact match: '{0}'</source> <target state="translated">Exakte Übereinstimmung gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Found_higher_version_match_0"> <source>Found higher version match: '{0}'</source> <target state="translated">Höhere Versionsübereinstimmung gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Found_single_assembly_0"> <source>Found single assembly: '{0}'</source> <target state="translated">Einzelne Assembly gefunden: {0}</target> <note /> </trans-unit> <trans-unit id="Generate_Event_Subscription"> <source>Generate Event Subscription</source> <target state="translated">Ereignisabonnement generieren</target> <note /> </trans-unit> <trans-unit id="Ignore_spaces_in_declaration_statements"> <source>Ignore spaces in declaration statements</source> <target state="translated">Leerzeichen um Deklarationsanweisungen ignorieren</target> <note /> </trans-unit> <trans-unit id="Indent_block_contents"> <source>Indent block contents</source> <target state="translated">Blockinhalte einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_case_contents"> <source>Indent case contents</source> <target state="translated">case-Inhalte einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_case_contents_when_block"> <source>Indent case contents (when block)</source> <target state="translated">Case-Inhalte einziehen (bei Block)</target> <note /> </trans-unit> <trans-unit id="Indent_case_labels"> <source>Indent case labels</source> <target state="translated">case-Bezeichnungen einziehen</target> <note /> </trans-unit> <trans-unit id="Indent_open_and_close_braces"> <source>Indent open and close braces</source> <target state="translated">Öffnende und schließende geschweifte Klammern einziehen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_cast"> <source>Insert space after cast</source> <target state="translated">Leerzeichen nach Umwandlung einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_colon_for_base_or_interface_in_type_declaration"> <source>Insert space after colon for base or interface in type declaration</source> <target state="translated">In Typdeklarationen Leerzeichen nach Doppelpunkt für Basis oder Schnittstelle einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_comma"> <source>Insert space after comma</source> <target state="translated">Leerzeichen nach Komma einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_dot"> <source>Insert space after dot</source> <target state="translated">Leerzeichen nach Punkt einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_keywords_in_control_flow_statements"> <source>Insert space after keywords in control flow statements</source> <target state="translated">Leerzeichen nach Schlüsselwörtern in Anweisungen für die Ablaufsteuerung einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_after_semicolon_in_for_statement"> <source>Insert space after semicolon in "for" statement</source> <target state="translated">In for-Anweisung Leerzeichen nach Semikolon einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_colon_for_base_or_interface_in_type_declaration"> <source>Insert space before colon for base or interface in type declaration</source> <target state="translated">In Typdeklarationen Leerzeichen vor Doppelpunkt für Basis oder Schnittstelle einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_comma"> <source>Insert space before comma</source> <target state="translated">Leerzeichen vor Komma einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_dot"> <source>Insert space before dot</source> <target state="translated">Leerzeichen vor Punkt einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_open_square_bracket"> <source>Insert space before open square bracket</source> <target state="translated">Leerzeichen vor öffnender eckiger Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_before_semicolon_in_for_statement"> <source>Insert space before semicolon in "for" statement</source> <target state="translated">In for-Anweisung Leerzeichen vor Semikolon einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_between_method_name_and_its_opening_parenthesis1"> <source>Insert space between method name and its opening parenthesis</source> <target state="translated">Leerzeichen zwischen Methodenname und öffnender runder Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_between_method_name_and_its_opening_parenthesis2"> <source>Insert space between method name and its opening parenthesis</source> <target state="translated">Leerzeichen zwischen Methodenname und öffnender runder Klammer einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_argument_list_parentheses"> <source>Insert space within argument list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern um Argumentliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_argument_list_parentheses"> <source>Insert space within empty argument list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern um leere Argumentliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_parameter_list_parentheses"> <source>Insert space within empty parameter list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern in leere Parameterliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_empty_square_brackets"> <source>Insert space within empty square brackets</source> <target state="translated">Leerzeichen zwischen leeren eckigen Klammern einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parameter_list_parentheses"> <source>Insert space within parameter list parentheses</source> <target state="translated">Leerzeichen zwischen runden Klammern in Parameterliste einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parentheses_of_expressions"> <source>Insert space within parentheses of expressions</source> <target state="translated">Leerzeichen zwischen runden Klammern von Ausdrücken einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_space_within_parentheses_of_type_casts"> <source>Insert space within parentheses of type casts</source> <target state="translated">Leerzeichen zwischen runde Klammern für Typumwandlungen einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_spaces_within_parentheses_of_control_flow_statements"> <source>Insert spaces within parentheses of control flow statements</source> <target state="translated">Leerzeichen zwischen den Klammern von Ablaufsteuerungsanweisungen einfügen</target> <note /> </trans-unit> <trans-unit id="Insert_spaces_within_square_brackets"> <source>Insert spaces within square brackets</source> <target state="translated">Leerzeichen zwischen eckigen Klammern einfügen</target> <note /> </trans-unit> <trans-unit id="Inside_namespace"> <source>Inside namespace</source> <target state="translated">Innerhalb des Namespaces</target> <note /> </trans-unit> <trans-unit id="Label_Indentation"> <source>Label Indentation</source> <target state="translated">Bezeichnungseinzug</target> <note /> </trans-unit> <trans-unit id="Leave_block_on_single_line"> <source>Leave block on single line</source> <target state="translated">Block auf einzelner Zeile belassen</target> <note /> </trans-unit> <trans-unit id="Leave_statements_and_member_declarations_on_the_same_line"> <source>Leave statements and member declarations on the same line</source> <target state="translated">Anweisungen und Memberdeklarationen auf der gleichen Zeile belassen</target> <note /> </trans-unit> <trans-unit id="Load_from_0"> <source>Load from: '{0}'</source> <target state="translated">Laden von: {0}</target> <note /> </trans-unit> <trans-unit id="Module_not_found"> <source>Module not found!</source> <target state="translated">Das Modul wurde nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Never"> <source>Never</source> <target state="translated">Nie</target> <note /> </trans-unit> <trans-unit id="Outside_namespace"> <source>Outside namespace</source> <target state="translated">Außerhalb des Namespaces</target> <note /> </trans-unit> <trans-unit id="Place_catch_on_new_line"> <source>Place "catch" on new line</source> <target state="translated">catch-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_else_on_new_line"> <source>Place "else" on new line</source> <target state="translated">else-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_finally_on_new_line"> <source>Place "finally" on new line</source> <target state="translated">finally-Anweisung in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_members_in_anonymous_types_on_new_line"> <source>Place members in anonymous types on new line</source> <target state="translated">Member in anonymen Typen in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_members_in_object_initializers_on_new_line"> <source>Place members in object initializers on new line</source> <target state="translated">Elemente in Objektinitialisierern in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_anonymous_methods"> <source>Place open brace on new line for anonymous methods</source> <target state="translated">Öffnende geschweifte Klammer für anonyme Methoden in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_anonymous_types"> <source>Place open brace on new line for anonymous types</source> <target state="translated">Öffnende geschweifte Klammer für anonyme Typen in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_control_blocks"> <source>Place open brace on new line for control blocks</source> <target state="translated">Öffnende geschweifte Klammer für Kontrollblöcke in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_lambda_expression"> <source>Place open brace on new line for lambda expression</source> <target state="translated">Öffnende geschweifte Klammer für Lambdaausdruck in neue Zeile setzen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_methods_local_functions"> <source>Place open brace on new line for methods and local functions</source> <target state="translated">Öffnende geschweifte Klammer in neuer Zeile für Methoden und lokale Funktionen einfügen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_object_collection_array_and_with_initializers"> <source>Place open brace on new line for object, collection, array, and with initializers</source> <target state="translated">Öffnende geschweifte Klammer für Objekt-, Sammlungs-, Array- und with-Initialisierer in neue Zeile einfügen</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_properties_indexers_and_events"> <source>Place open brace on new line for properties, indexers, and events</source> <target state="translated">Fügt eine öffnende geschweifte Klammer für Eigenschaften, Indexer und Ereignisse in einer neuen Zeile ein.</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_property_indexer_and_event_accessors"> <source>Place open brace on new line for property, indexer, and event accessors</source> <target state="translated">Fügt eine öffnende geschweifte Klammer für eine Eigenschaft, den Indexer und Ereignisaccessor in einer neuen Zeile ein.</target> <note /> </trans-unit> <trans-unit id="Place_open_brace_on_new_line_for_types"> <source>Place open brace on new line for types</source> <target state="translated">Öffnende geschweifte Klammer für Typen in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Place_query_expression_clauses_on_new_line"> <source>Place query expression clauses on new line</source> <target state="translated">Klauseln von Abfrageausdrücken in neuer Zeile platzieren</target> <note /> </trans-unit> <trans-unit id="Prefer_conditional_delegate_call"> <source>Prefer conditional delegate call</source> <target state="translated">Bedingten Delegataufruf bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_deconstructed_variable_declaration"> <source>Prefer deconstructed variable declaration</source> <target state="translated">Dekonstruierte Variablendeklaration vorziehen</target> <note /> </trans-unit> <trans-unit id="Prefer_explicit_type"> <source>Prefer explicit type</source> <target state="translated">Expliziten Typ bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_index_operator"> <source>Prefer index operator</source> <target state="translated">Indexoperator bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_inlined_variable_declaration"> <source>Prefer inlined variable declaration</source> <target state="translated">Inlinevariablendeklaration vorziehen</target> <note /> </trans-unit> <trans-unit id="Prefer_local_function_over_anonymous_function"> <source>Prefer local function over anonymous function</source> <target state="translated">Lokale Funktion gegenüber anonymer Funktion bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_null_check_over_type_check"> <source>Prefer 'null' check over type check</source> <target state="new">Prefer 'null' check over type check</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching"> <source>Prefer pattern matching</source> <target state="translated">Musterabgleich bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_as_with_null_check"> <source>Prefer pattern matching over 'as' with 'null' check</source> <target state="translated">Bei der NULL-Überprüfung Musterabgleich gegenüber "as" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_is_with_cast_check"> <source>Prefer pattern matching over 'is' with 'cast' check</source> <target state="translated">Bei der cast-Überprüfung Musterabgleich gegenüber "is" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_pattern_matching_over_mixed_type_check"> <source>Prefer pattern matching over mixed type check</source> <target state="translated">Musterabgleich gegenüber der Überprüfung gemischter Typen bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_range_operator"> <source>Prefer range operator</source> <target state="translated">Bereichsoperator bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_simple_default_expression"> <source>Prefer simple 'default' expression</source> <target state="translated">Einfachen "default"-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_simple_using_statement"> <source>Prefer simple 'using' statement</source> <target state="translated">Einfache using-Anweisung bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_static_local_functions"> <source>Prefer static local functions</source> <target state="translated">Statische lokale Funktionen bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_switch_expression"> <source>Prefer switch expression</source> <target state="translated">Switch-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_throw_expression"> <source>Prefer throw-expression</source> <target state="translated">throw-Ausdruck bevorzugen</target> <note /> </trans-unit> <trans-unit id="Prefer_var"> <source>Prefer 'var'</source> <target state="translated">"var" bevorzugen</target> <note /> </trans-unit> <trans-unit id="Preferred_using_directive_placement"> <source>Preferred 'using' directive placement</source> <target state="translated">Bevorzugte Platzierung der using-Anweisung</target> <note /> </trans-unit> <trans-unit id="Press_TAB_to_insert"> <source> (Press TAB to insert)</source> <target state="translated"> (Zum Einfügen TAB-TASTE drücken)</target> <note /> </trans-unit> <trans-unit id="Resolve_0"> <source>Resolve: '{0}'</source> <target state="translated">Auflösen: {0}</target> <note /> </trans-unit> <trans-unit id="Resolve_module_0_of_1"> <source>Resolve module: '{0}' of '{1}'</source> <target state="translated">Modul auflösen: {0} von {1}</target> <note /> </trans-unit> <trans-unit id="Set_spacing_for_operators"> <source>Set spacing for operators</source> <target state="translated">Abstände für Operatoren festlegen</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Intelligenter Einzug</target> <note /> </trans-unit> <trans-unit id="Split_string"> <source>Split string</source> <target state="translated">Zeichenfolge teilen</target> <note /> </trans-unit> <trans-unit id="Unused_local"> <source>Unused local</source> <target state="translated">Nicht verwendete lokale Variable</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_accessors"> <source>Use expression body for accessors</source> <target state="translated">Ausdruckskörper für Accessoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_constructors"> <source>Use expression body for constructors</source> <target state="translated">Ausdruckskörper für Konstruktoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_indexers"> <source>Use expression body for indexers</source> <target state="translated">Ausdruckskörper für Indexer verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_lambdas"> <source>Use expression body for lambdas</source> <target state="translated">Ausdruckskörper für Lambdaausdrücke verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_local_functions"> <source>Use expression body for local functions</source> <target state="translated">Ausdruckstext für lokale Funktionen verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_methods"> <source>Use expression body for methods</source> <target state="translated">Ausdruckskörper für Methoden verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_operators"> <source>Use expression body for operators</source> <target state="translated">Ausdruckskörper für Operatoren verwenden</target> <note /> </trans-unit> <trans-unit id="Use_expression_body_for_properties"> <source>Use expression body for properties</source> <target state="translated">Ausdruckskörper für Eigenschaften verwenden</target> <note /> </trans-unit> <trans-unit id="WARN_Version_mismatch_Expected_0_Got_1"> <source>WARN: Version mismatch. Expected: '{0}', Got: '{1}'</source> <target state="translated">WARNUNG: Versionskonflikt. Erwartet: "{0}", erhalten: "{1}"</target> <note /> </trans-unit> <trans-unit id="When_on_single_line"> <source>When on single line</source> <target state="translated">In einzelner Zeile</target> <note /> </trans-unit> <trans-unit id="When_possible"> <source>When possible</source> <target state="translated">Wenn möglich</target> <note /> </trans-unit> <trans-unit id="When_variable_type_is_apparent"> <source>When variable type is apparent</source> <target state="translated">Wenn der Variablentyp offensichtlich ist</target> <note /> </trans-unit> <trans-unit id="_0_items_in_cache"> <source>'{0}' items in cache</source> <target state="translated">{0} Elemente im Cache</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/VisualBasic/xlf/VBEditorResources.ko.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">붙여넣을 때 누락된 import 추가</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">누락된 import 추가 중...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">대/소문자 수정</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">단어 대/소문자 수정 중...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">디자이너에서 이 호출이 필요합니다.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">InitializeComponent() 호출 뒤에 초기화 코드를 추가하세요.</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">구문 종료</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">스마트 들여쓰기</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">문서 서식을 지정하는 중...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">새 줄 삽입</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">서식 붙여넣기</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">붙여넣은 텍스트의 서식을 지정하는 중...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">붙여넣기</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">저장 시 서식 지정</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">줄 커밋 중</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Visual Basic 서식 다시 적용</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">지원되지 않음</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">멤버 생성</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">줄 커밋</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">추상 클래스 또는 인터페이스 구현</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ko" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">붙여넣을 때 누락된 import 추가</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">누락된 import 추가 중...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">대/소문자 수정</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">단어 대/소문자 수정 중...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">디자이너에서 이 호출이 필요합니다.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">InitializeComponent() 호출 뒤에 초기화 코드를 추가하세요.</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">구문 종료</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">스마트 들여쓰기</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">문서 서식을 지정하는 중...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">새 줄 삽입</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">서식 붙여넣기</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">붙여넣은 텍스트의 서식을 지정하는 중...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">붙여넣기</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">저장 시 서식 지정</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">줄 커밋 중</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Visual Basic 서식 다시 적용</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">지원되지 않음</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">멤버 생성</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">줄 커밋</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">추상 클래스 또는 인터페이스 구현</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Tools/ExternalAccess/FSharp/xlf/ExternalAccessFSharpResources.de.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../ExternalAccessFSharpResources.resx"> <body> <trans-unit id="AddAssemblyReference"> <source>Add an assembly reference to '{0}'</source> <target state="translated">"{0}" einen Assemblyverweis hinzufügen</target> <note /> </trans-unit> <trans-unit id="AddNewKeyword"> <source>Add 'new' keyword</source> <target state="translated">Schlüsselwort "new" hinzufügen</target> <note /> </trans-unit> <trans-unit id="AddProjectReference"> <source>Add a project reference to '{0}'</source> <target state="translated">"{0}" einen Projektverweis hinzufügen</target> <note /> </trans-unit> <trans-unit id="CannotDetermineSymbol"> <source>Cannot determine the symbol under the caret</source> <target state="translated">Das Symbol unter dem Caretzeichen kann nicht ermittelt werden.</target> <note /> </trans-unit> <trans-unit id="CannotNavigateUnknown"> <source>Cannot navigate to the requested location</source> <target state="translated">Zum angeforderten Speicherort kann nicht navigiert werden.</target> <note /> </trans-unit> <trans-unit id="ExceptionsHeader"> <source>Exceptions:</source> <target state="translated">Ausnahmen:</target> <note /> </trans-unit> <trans-unit id="FSharpDisposablesClassificationType"> <source>F# Disposable Types</source> <target state="translated">Löschbare F#-Typen</target> <note /> </trans-unit> <trans-unit id="FSharpFunctionsOrMethodsClassificationType"> <source>F# Functions / Methods</source> <target state="translated">F#-Funktionen/-Methoden</target> <note /> </trans-unit> <trans-unit id="FSharpMutableVarsClassificationType"> <source>F# Mutable Variables / Reference Cells</source> <target state="translated">Veränderbare Variablen/Verweiszellen in F#</target> <note /> </trans-unit> <trans-unit id="FSharpPrintfFormatClassificationType"> <source>F# Printf Format</source> <target state="translated">F#-Printf-Format</target> <note /> </trans-unit> <trans-unit id="FSharpPropertiesClassificationType"> <source>F# Properties</source> <target state="translated">F#-Eigenschaften</target> <note /> </trans-unit> <trans-unit id="GenericParametersHeader"> <source>Generic parameters:</source> <target state="translated">Generische Parameter:</target> <note /> </trans-unit> <trans-unit id="ImplementInterface"> <source>Implement interface</source> <target state="translated">Schnittstelle implementieren</target> <note /> </trans-unit> <trans-unit id="ImplementInterfaceWithoutTypeAnnotation"> <source>Implement interface without type annotation</source> <target state="translated">Schnittstelle ohne Typanmerkung implementieren</target> <note /> </trans-unit> <trans-unit id="LocatingSymbol"> <source>Locating the symbol under the caret...</source> <target state="translated">Das Symbol unter dem Caretzeichen wird gesucht...</target> <note /> </trans-unit> <trans-unit id="NameCanBeSimplified"> <source>Name can be simplified.</source> <target state="translated">Der Name kann vereinfacht werden.</target> <note /> </trans-unit> <trans-unit id="NavigateToFailed"> <source>Navigate to symbol failed: {0}</source> <target state="translated">Fehler beim Navigieren zu Symbol: {0}</target> <note /> </trans-unit> <trans-unit id="NavigatingTo"> <source>Navigating to symbol...</source> <target state="translated">Navigieren zu Symbol...</target> <note /> </trans-unit> <trans-unit id="PrefixValueNameWithUnderscore"> <source>Prefix '{0}' with underscore</source> <target state="translated">"{0}" einen Unterstrich voranstellen</target> <note /> </trans-unit> <trans-unit id="RemoveUnusedOpens"> <source>Remove unused open declarations</source> <target state="translated">Nicht verwendete open-Deklarationen entfernen</target> <note /> </trans-unit> <trans-unit id="RenameValueToDoubleUnderscore"> <source>Rename '{0}' to '__'</source> <target state="translated">"{0}" in "__" umbenennen</target> <note /> </trans-unit> <trans-unit id="RenameValueToUnderscore"> <source>Rename '{0}' to '_'</source> <target state="translated">"{0}" in "_" umbenennen</target> <note /> </trans-unit> <trans-unit id="SimplifyName"> <source>Simplify name</source> <target state="translated">Namen vereinfachen</target> <note /> </trans-unit> <trans-unit id="TheValueIsUnused"> <source>The value is unused</source> <target state="translated">Der Wert wird nicht verwendet.</target> <note /> </trans-unit> <trans-unit id="UnusedOpens"> <source>Open declaration can be removed.</source> <target state="translated">Die open-Deklaration kann entfernt werden.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../ExternalAccessFSharpResources.resx"> <body> <trans-unit id="AddAssemblyReference"> <source>Add an assembly reference to '{0}'</source> <target state="translated">"{0}" einen Assemblyverweis hinzufügen</target> <note /> </trans-unit> <trans-unit id="AddNewKeyword"> <source>Add 'new' keyword</source> <target state="translated">Schlüsselwort "new" hinzufügen</target> <note /> </trans-unit> <trans-unit id="AddProjectReference"> <source>Add a project reference to '{0}'</source> <target state="translated">"{0}" einen Projektverweis hinzufügen</target> <note /> </trans-unit> <trans-unit id="CannotDetermineSymbol"> <source>Cannot determine the symbol under the caret</source> <target state="translated">Das Symbol unter dem Caretzeichen kann nicht ermittelt werden.</target> <note /> </trans-unit> <trans-unit id="CannotNavigateUnknown"> <source>Cannot navigate to the requested location</source> <target state="translated">Zum angeforderten Speicherort kann nicht navigiert werden.</target> <note /> </trans-unit> <trans-unit id="ExceptionsHeader"> <source>Exceptions:</source> <target state="translated">Ausnahmen:</target> <note /> </trans-unit> <trans-unit id="FSharpDisposablesClassificationType"> <source>F# Disposable Types</source> <target state="translated">Löschbare F#-Typen</target> <note /> </trans-unit> <trans-unit id="FSharpFunctionsOrMethodsClassificationType"> <source>F# Functions / Methods</source> <target state="translated">F#-Funktionen/-Methoden</target> <note /> </trans-unit> <trans-unit id="FSharpMutableVarsClassificationType"> <source>F# Mutable Variables / Reference Cells</source> <target state="translated">Veränderbare Variablen/Verweiszellen in F#</target> <note /> </trans-unit> <trans-unit id="FSharpPrintfFormatClassificationType"> <source>F# Printf Format</source> <target state="translated">F#-Printf-Format</target> <note /> </trans-unit> <trans-unit id="FSharpPropertiesClassificationType"> <source>F# Properties</source> <target state="translated">F#-Eigenschaften</target> <note /> </trans-unit> <trans-unit id="GenericParametersHeader"> <source>Generic parameters:</source> <target state="translated">Generische Parameter:</target> <note /> </trans-unit> <trans-unit id="ImplementInterface"> <source>Implement interface</source> <target state="translated">Schnittstelle implementieren</target> <note /> </trans-unit> <trans-unit id="ImplementInterfaceWithoutTypeAnnotation"> <source>Implement interface without type annotation</source> <target state="translated">Schnittstelle ohne Typanmerkung implementieren</target> <note /> </trans-unit> <trans-unit id="LocatingSymbol"> <source>Locating the symbol under the caret...</source> <target state="translated">Das Symbol unter dem Caretzeichen wird gesucht...</target> <note /> </trans-unit> <trans-unit id="NameCanBeSimplified"> <source>Name can be simplified.</source> <target state="translated">Der Name kann vereinfacht werden.</target> <note /> </trans-unit> <trans-unit id="NavigateToFailed"> <source>Navigate to symbol failed: {0}</source> <target state="translated">Fehler beim Navigieren zu Symbol: {0}</target> <note /> </trans-unit> <trans-unit id="NavigatingTo"> <source>Navigating to symbol...</source> <target state="translated">Navigieren zu Symbol...</target> <note /> </trans-unit> <trans-unit id="PrefixValueNameWithUnderscore"> <source>Prefix '{0}' with underscore</source> <target state="translated">"{0}" einen Unterstrich voranstellen</target> <note /> </trans-unit> <trans-unit id="RemoveUnusedOpens"> <source>Remove unused open declarations</source> <target state="translated">Nicht verwendete open-Deklarationen entfernen</target> <note /> </trans-unit> <trans-unit id="RenameValueToDoubleUnderscore"> <source>Rename '{0}' to '__'</source> <target state="translated">"{0}" in "__" umbenennen</target> <note /> </trans-unit> <trans-unit id="RenameValueToUnderscore"> <source>Rename '{0}' to '_'</source> <target state="translated">"{0}" in "_" umbenennen</target> <note /> </trans-unit> <trans-unit id="SimplifyName"> <source>Simplify name</source> <target state="translated">Namen vereinfachen</target> <note /> </trans-unit> <trans-unit id="TheValueIsUnused"> <source>The value is unused</source> <target state="translated">Der Wert wird nicht verwendet.</target> <note /> </trans-unit> <trans-unit id="UnusedOpens"> <source>Open declaration can be removed.</source> <target state="translated">Die open-Deklaration kann entfernt werden.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/CodeStyle/Core/CodeFixes/xlf/CodeStyleFixesResources.zh-Hans.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../CodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">在添加其他值时删除此值。</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../CodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">在添加其他值时删除此值。</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/CodeStyle/CSharp/Analyzers/xlf/CSharpCodeStyleResources.zh-Hans.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../CSharpCodeStyleResources.resx"> <body> <trans-unit id="Indentation_preferences"> <source>Indentation preferences</source> <target state="translated">缩进首选项</target> <note /> </trans-unit> <trans-unit id="Space_preferences"> <source>Space preferences</source> <target state="translated">空格键首选项</target> <note /> </trans-unit> <trans-unit id="Wrapping_preferences"> <source>Wrapping preferences</source> <target state="translated">包装首选项</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../CSharpCodeStyleResources.resx"> <body> <trans-unit id="Indentation_preferences"> <source>Indentation preferences</source> <target state="translated">缩进首选项</target> <note /> </trans-unit> <trans-unit id="Space_preferences"> <source>Space preferences</source> <target state="translated">空格键首选项</target> <note /> </trans-unit> <trans-unit id="Wrapping_preferences"> <source>Wrapping preferences</source> <target state="translated">包装首选项</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/Remote/Core/xlf/RemoteWorkspacesResources.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../RemoteWorkspacesResources.resx"> <body> <trans-unit id="FeatureName_AssetSynchronization"> <source>Asset synchronization</source> <target state="translated">Varlık eşitleme</target> <note /> </trans-unit> <trans-unit id="FeatureName_AsynchronousOperationListener"> <source>Asynchronous operation listener</source> <target state="translated">Asenkron işlem dinleyicisi</target> <note /> </trans-unit> <trans-unit id="FeatureName_CodeLensReferences"> <source>CodeLens references</source> <target state="translated">CodeLens başvuruları</target> <note /> </trans-unit> <trans-unit id="FeatureName_ConvertTupleToStructCodeRefactoring"> <source>Convert tuple to struct refactoring</source> <target state="translated">Demeti yapıya dönüştürme yeniden düzenlemesi</target> <note /> </trans-unit> <trans-unit id="FeatureName_DependentTypeFinder"> <source>Dependent type finder</source> <target state="translated">Bağımlı tür bulucu</target> <note /> </trans-unit> <trans-unit id="FeatureName_DesignerAttributeDiscovery"> <source>DesignerAttribute discovery</source> <target state="translated">DesignerAttribute bulma</target> <note /> </trans-unit> <trans-unit id="FeatureName_DiagnosticAnalyzer"> <source>Diagnostic analyzer runner</source> <target state="translated">Tanılama çözümleyicisi çalıştırıcı</target> <note /> </trans-unit> <trans-unit id="FeatureName_DocumentHighlights"> <source>Document highlights</source> <target state="translated">Belgedeki önemli noktalar</target> <note /> </trans-unit> <trans-unit id="FeatureName_EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Düzenle ve Devam Et</target> <note /> </trans-unit> <trans-unit id="FeatureName_EncapsulateField"> <source>Encapsulate field refactoring</source> <target state="translated">Alanı kapsülleme yeniden düzenlemesi</target> <note /> </trans-unit> <trans-unit id="FeatureName_ExtensionMethodImportCompletion"> <source>Extension method import completion</source> <target state="translated">Genişletme yöntemini içeri aktarma işlemi tamamlandı</target> <note /> </trans-unit> <trans-unit id="FeatureName_FindUsages"> <source>Find usages</source> <target state="translated">Kullanımları bul</target> <note /> </trans-unit> <trans-unit id="FeatureName_GlobalNotificationDelivery"> <source>Global notification delivery</source> <target state="translated">Genel bildirim teslimi</target> <note /> </trans-unit> <trans-unit id="FeatureName_InheritanceMargin"> <source>Inheritance margin</source> <target state="translated">Devralma boşluğu</target> <note /> </trans-unit> <trans-unit id="FeatureName_MissingImportDiscovery"> <source>Missing import discovery</source> <target state="translated">İçeri aktarma bulma eksik</target> <note /> </trans-unit> <trans-unit id="FeatureName_NavigateToSearch"> <source>Navigate to</source> <target state="translated">Şuraya gidin:</target> <note /> </trans-unit> <trans-unit id="FeatureName_NavigationBarItem"> <source>Navigation bar</source> <target state="translated">Gezinti çubuğu</target> <note /> </trans-unit> <trans-unit id="FeatureName_ProjectTelemetry"> <source>Project telemetry collection</source> <target state="translated">Proje telemetri koleksiyonu</target> <note /> </trans-unit> <trans-unit id="FeatureName_Renamer"> <source>Rename</source> <target state="translated">Yeniden adlandır</target> <note /> </trans-unit> <trans-unit id="FeatureName_SemanticClassification"> <source>Semantic classification</source> <target state="translated">Anlamsal sınıflandırma</target> <note /> </trans-unit> <trans-unit id="FeatureName_SemanticClassificationCache"> <source>Semantic classification cache</source> <target state="translated">Anlamsal sınıflandırma önbelleği</target> <note /> </trans-unit> <trans-unit id="FeatureName_SolutionAssetProvider"> <source>Asset provider</source> <target state="translated">Varlık sağlayıcısı</target> <note /> </trans-unit> <trans-unit id="FeatureName_SymbolFinder"> <source>Symbol finder</source> <target state="translated">Sembol bulucu</target> <note /> </trans-unit> <trans-unit id="FeatureName_SymbolSearchUpdate"> <source>Symbol search</source> <target state="translated">Sembol araması</target> <note /> </trans-unit> <trans-unit id="FeatureName_TodoCommentsDiscovery"> <source>TODO comments discovery</source> <target state="translated">TODO açıklamalarını bulma</target> <note /> </trans-unit> <trans-unit id="FeatureName_UnusedReferenceAnalysis"> <source>Unused reference analysis</source> <target state="translated">Kullanılmayan başvuru analizi</target> <note /> </trans-unit> <trans-unit id="FeatureName_ValueTracking"> <source>Value Tracking</source> <target state="new">Value Tracking</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_due_to_an_intermittent_error"> <source>Feature '{0}' is currently unavailable due to an intermittent error, please try again later: '{1}'</source> <target state="translated">'{0}' özelliği, aralıklı bir hata nedeniyle şu anda kullanılamıyor. Lütfen daha sonra yeniden deneyin: '{1}'</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_due_to_an_internal_error"> <source>Feature '{0}' is currently unavailable due to an internal error.</source> <target state="translated">'{0}' özelliği bir iç hata nedeniyle şu anda kullanılamıyor.</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_host_shutting_down"> <source>Feature '{0}' is currently unavailable since {1} is shutting down.</source> <target state="translated">{1} kapanmakta olduğundan '{0}' özelliği şu anda kullanılamıyor.</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../RemoteWorkspacesResources.resx"> <body> <trans-unit id="FeatureName_AssetSynchronization"> <source>Asset synchronization</source> <target state="translated">Varlık eşitleme</target> <note /> </trans-unit> <trans-unit id="FeatureName_AsynchronousOperationListener"> <source>Asynchronous operation listener</source> <target state="translated">Asenkron işlem dinleyicisi</target> <note /> </trans-unit> <trans-unit id="FeatureName_CodeLensReferences"> <source>CodeLens references</source> <target state="translated">CodeLens başvuruları</target> <note /> </trans-unit> <trans-unit id="FeatureName_ConvertTupleToStructCodeRefactoring"> <source>Convert tuple to struct refactoring</source> <target state="translated">Demeti yapıya dönüştürme yeniden düzenlemesi</target> <note /> </trans-unit> <trans-unit id="FeatureName_DependentTypeFinder"> <source>Dependent type finder</source> <target state="translated">Bağımlı tür bulucu</target> <note /> </trans-unit> <trans-unit id="FeatureName_DesignerAttributeDiscovery"> <source>DesignerAttribute discovery</source> <target state="translated">DesignerAttribute bulma</target> <note /> </trans-unit> <trans-unit id="FeatureName_DiagnosticAnalyzer"> <source>Diagnostic analyzer runner</source> <target state="translated">Tanılama çözümleyicisi çalıştırıcı</target> <note /> </trans-unit> <trans-unit id="FeatureName_DocumentHighlights"> <source>Document highlights</source> <target state="translated">Belgedeki önemli noktalar</target> <note /> </trans-unit> <trans-unit id="FeatureName_EditAndContinue"> <source>Edit and Continue</source> <target state="translated">Düzenle ve Devam Et</target> <note /> </trans-unit> <trans-unit id="FeatureName_EncapsulateField"> <source>Encapsulate field refactoring</source> <target state="translated">Alanı kapsülleme yeniden düzenlemesi</target> <note /> </trans-unit> <trans-unit id="FeatureName_ExtensionMethodImportCompletion"> <source>Extension method import completion</source> <target state="translated">Genişletme yöntemini içeri aktarma işlemi tamamlandı</target> <note /> </trans-unit> <trans-unit id="FeatureName_FindUsages"> <source>Find usages</source> <target state="translated">Kullanımları bul</target> <note /> </trans-unit> <trans-unit id="FeatureName_GlobalNotificationDelivery"> <source>Global notification delivery</source> <target state="translated">Genel bildirim teslimi</target> <note /> </trans-unit> <trans-unit id="FeatureName_InheritanceMargin"> <source>Inheritance margin</source> <target state="translated">Devralma boşluğu</target> <note /> </trans-unit> <trans-unit id="FeatureName_MissingImportDiscovery"> <source>Missing import discovery</source> <target state="translated">İçeri aktarma bulma eksik</target> <note /> </trans-unit> <trans-unit id="FeatureName_NavigateToSearch"> <source>Navigate to</source> <target state="translated">Şuraya gidin:</target> <note /> </trans-unit> <trans-unit id="FeatureName_NavigationBarItem"> <source>Navigation bar</source> <target state="translated">Gezinti çubuğu</target> <note /> </trans-unit> <trans-unit id="FeatureName_ProjectTelemetry"> <source>Project telemetry collection</source> <target state="translated">Proje telemetri koleksiyonu</target> <note /> </trans-unit> <trans-unit id="FeatureName_Renamer"> <source>Rename</source> <target state="translated">Yeniden adlandır</target> <note /> </trans-unit> <trans-unit id="FeatureName_SemanticClassification"> <source>Semantic classification</source> <target state="translated">Anlamsal sınıflandırma</target> <note /> </trans-unit> <trans-unit id="FeatureName_SemanticClassificationCache"> <source>Semantic classification cache</source> <target state="translated">Anlamsal sınıflandırma önbelleği</target> <note /> </trans-unit> <trans-unit id="FeatureName_SolutionAssetProvider"> <source>Asset provider</source> <target state="translated">Varlık sağlayıcısı</target> <note /> </trans-unit> <trans-unit id="FeatureName_SymbolFinder"> <source>Symbol finder</source> <target state="translated">Sembol bulucu</target> <note /> </trans-unit> <trans-unit id="FeatureName_SymbolSearchUpdate"> <source>Symbol search</source> <target state="translated">Sembol araması</target> <note /> </trans-unit> <trans-unit id="FeatureName_TodoCommentsDiscovery"> <source>TODO comments discovery</source> <target state="translated">TODO açıklamalarını bulma</target> <note /> </trans-unit> <trans-unit id="FeatureName_UnusedReferenceAnalysis"> <source>Unused reference analysis</source> <target state="translated">Kullanılmayan başvuru analizi</target> <note /> </trans-unit> <trans-unit id="FeatureName_ValueTracking"> <source>Value Tracking</source> <target state="new">Value Tracking</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_due_to_an_intermittent_error"> <source>Feature '{0}' is currently unavailable due to an intermittent error, please try again later: '{1}'</source> <target state="translated">'{0}' özelliği, aralıklı bir hata nedeniyle şu anda kullanılamıyor. Lütfen daha sonra yeniden deneyin: '{1}'</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_due_to_an_internal_error"> <source>Feature '{0}' is currently unavailable due to an internal error.</source> <target state="translated">'{0}' özelliği bir iç hata nedeniyle şu anda kullanılamıyor.</target> <note /> </trans-unit> <trans-unit id="Feature_0_is_currently_unavailable_host_shutting_down"> <source>Feature '{0}' is currently unavailable since {1} is shutting down.</source> <target state="translated">{1} kapanmakta olduğundan '{0}' özelliği şu anda kullanılamıyor.</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Compilers/VisualBasic/Portable/xlf/VBResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBResources.resx"> <body> <trans-unit id="ERR_AssignmentInitOnly"> <source>Init-only property '{0}' can only be assigned by an object member initializer, or on 'Me', 'MyClass` or 'MyBase' in an instance constructor.</source> <target state="translated">Solo un inicializador de miembro de objeto puede asignar la propiedad de solo inicio "{0}", o bien en "Me", "MyClass" o "MyBase" en un constructor de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_BadSwitchValue"> <source>Command-line syntax error: '{0}' is not a valid value for the '{1}' option. The value must be of the form '{2}'.</source> <target state="translated">Error de sintaxis de la línea de comandos: "{0}" no es un valor válido para la opción "{1}". El valor debe tener el formato "{2}".</target> <note /> </trans-unit> <trans-unit id="ERR_CommentsAfterLineContinuationNotAvailable1"> <source>Please use language version {0} or greater to use comments after line continuation character.</source> <target state="translated">Use la versión de lenguaje {0} o superior para usar los comentarios después del carácter de continuación de línea.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultInterfaceImplementationInNoPIAType"> <source>Type '{0}' cannot be embedded because it has a non-abstract member. Consider setting the 'Embed Interop Types' property to false.</source> <target state="translated">El tipo "{0}" no se puede incrustar porque tiene un miembro no abstracto. Puede establecer la propiedad "Incrustar tipos de interoperabilidad" en false.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleAnalyzerConfigsInSameDir"> <source>Multiple analyzer config files cannot be in the same directory ('{0}').</source> <target state="translated">No es posible que un mismo directorio ("{0}") contenga varios archivos de configuración del analizador.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridingInitOnlyProperty"> <source>'{0}' cannot override init-only '{1}'.</source> <target state="translated">"{0}" no puede sobrescribir la propiedad init-only "{1}".</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyDoesntImplementInitOnly"> <source>Init-only '{0}' cannot be implemented.</source> <target state="translated">La propiedad Init-only "{0}" no se puede implementar.</target> <note /> </trans-unit> <trans-unit id="ERR_ReAbstractionInNoPIAType"> <source>Type '{0}' cannot be embedded because it has a re-abstraction of a member from base interface. Consider setting the 'Embed Interop Types' property to false.</source> <target state="translated">El tipo "{0}" no se puede insertar porque tiene una reabstracción de un miembro de la interfaz base. Puede establecer la propiedad "Incrustar tipos de interoperabilidad" en false.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeDoesNotSupportDefaultInterfaceImplementation"> <source>Target runtime doesn't support default interface implementation.</source> <target state="translated">El tiempo de ejecución de destino no admite la implementación de interfaz predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeDoesNotSupportProtectedAccessForInterfaceMember"> <source>Target runtime doesn't support 'Protected', 'Protected Friend', or 'Private Protected' accessibility for a member of an interface.</source> <target state="translated">El entorno de ejecución de destino no admite la accesibilidad de tipo "Protected", "Protected Friend" o "Private Protected" para un miembro de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedEventNeedsHandlerInTheSameType"> <source>Events of shared WithEvents variables cannot be handled by methods in a different type.</source> <target state="translated">Los métodos no pueden controlar los eventos de variables WithEvents compartidas en un tipo distinto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnmanagedCallersOnlyNotSupported"> <source>'UnmanagedCallersOnly' attribute is not supported.</source> <target state="translated">No se admite el atributo "UnmanagedCallersOnly".</target> <note /> </trans-unit> <trans-unit id="FEATURE_CallerArgumentExpression"> <source>caller argument expression</source> <target state="new">caller argument expression</target> <note /> </trans-unit> <trans-unit id="FEATURE_CommentsAfterLineContinuation"> <source>comments after line continuation</source> <target state="translated">comentarios después de la continuación de línea</target> <note /> </trans-unit> <trans-unit id="FEATURE_InitOnlySettersUsage"> <source>assigning to or passing 'ByRef' properties with init-only setters</source> <target state="translated">se asigna a propiedades "ByRef" o se pasa a estas con establecedores init-only</target> <note /> </trans-unit> <trans-unit id="FEATURE_UnconstrainedTypeParameterInConditional"> <source>unconstrained type parameters in binary conditional expressions</source> <target state="translated">parámetros de tipo sin restricciones en expresiones condicionales binarias</target> <note /> </trans-unit> <trans-unit id="IDS_VBCHelp"> <source> Visual Basic Compiler Options - OUTPUT FILE - -out:&lt;file&gt; Specifies the output file name. -target:exe Create a console application (default). (Short form: -t) -target:winexe Create a Windows application. -target:library Create a library assembly. -target:module Create a module that can be added to an assembly. -target:appcontainerexe Create a Windows application that runs in AppContainer. -target:winmdobj Create a Windows Metadata intermediate file -doc[+|-] Generates XML documentation file. -doc:&lt;file&gt; Generates XML documentation file to &lt;file&gt;. -refout:&lt;file&gt; Reference assembly output to generate - INPUT FILES - -addmodule:&lt;file_list&gt; Reference metadata from the specified modules -link:&lt;file_list&gt; Embed metadata from the specified interop assembly. (Short form: -l) -recurse:&lt;wildcard&gt; Include all files in the current directory and subdirectories according to the wildcard specifications. -reference:&lt;file_list&gt; Reference metadata from the specified assembly. (Short form: -r) -analyzer:&lt;file_list&gt; Run the analyzers from this assembly (Short form: -a) -additionalfile:&lt;file list&gt; Additional files that don't directly affect code generation but may be used by analyzers for producing errors or warnings. - RESOURCES - -linkresource:&lt;resinfo&gt; Links the specified file as an external assembly resource. resinfo:&lt;file&gt;[,&lt;name&gt;[,public|private]] (Short form: -linkres) -nowin32manifest The default manifest should not be embedded in the manifest section of the output PE. -resource:&lt;resinfo&gt; Adds the specified file as an embedded assembly resource. resinfo:&lt;file&gt;[,&lt;name&gt;[,public|private]] (Short form: -res) -win32icon:&lt;file&gt; Specifies a Win32 icon file (.ico) for the default Win32 resources. -win32manifest:&lt;file&gt; The provided file is embedded in the manifest section of the output PE. -win32resource:&lt;file&gt; Specifies a Win32 resource file (.res). - CODE GENERATION - -optimize[+|-] Enable optimizations. -removeintchecks[+|-] Remove integer checks. Default off. -debug[+|-] Emit debugging information. -debug:full Emit full debugging information (default). -debug:pdbonly Emit full debugging information. -debug:portable Emit cross-platform debugging information. -debug:embedded Emit cross-platform debugging information into the target .dll or .exe. -deterministic Produce a deterministic assembly (including module version GUID and timestamp) -refonly Produce a reference assembly in place of the main output -instrument:TestCoverage Produce an assembly instrumented to collect coverage information -sourcelink:&lt;file&gt; Source link info to embed into PDB. - ERRORS AND WARNINGS - -nowarn Disable all warnings. -nowarn:&lt;number_list&gt; Disable a list of individual warnings. -warnaserror[+|-] Treat all warnings as errors. -warnaserror[+|-]:&lt;number_list&gt; Treat a list of warnings as errors. -ruleset:&lt;file&gt; Specify a ruleset file that disables specific diagnostics. -errorlog:&lt;file&gt;[,version=&lt;sarif_version&gt;] Specify a file to log all compiler and analyzer diagnostics in SARIF format. sarif_version:{1|2|2.1} Default is 1. 2 and 2.1 both mean SARIF version 2.1.0. -reportanalyzer Report additional analyzer information, such as execution time. -skipanalyzers[+|-] Skip execution of diagnostic analyzers. - LANGUAGE - -define:&lt;symbol_list&gt; Declare global conditional compilation symbol(s). symbol_list:name=value,... (Short form: -d) -imports:&lt;import_list&gt; Declare global Imports for namespaces in referenced metadata files. import_list:namespace,... -langversion:? Display the allowed values for language version -langversion:&lt;string&gt; Specify language version such as `default` (latest major version), or `latest` (latest version, including minor versions), or specific versions like `14` or `15.3` -optionexplicit[+|-] Require explicit declaration of variables. -optioninfer[+|-] Allow type inference of variables. -rootnamespace:&lt;string&gt; Specifies the root Namespace for all type declarations. -optionstrict[+|-] Enforce strict language semantics. -optionstrict:custom Warn when strict language semantics are not respected. -optioncompare:binary Specifies binary-style string comparisons. This is the default. -optioncompare:text Specifies text-style string comparisons. - MISCELLANEOUS - -help Display this usage message. (Short form: -?) -noconfig Do not auto-include VBC.RSP file. -nologo Do not display compiler copyright banner. -quiet Quiet output mode. -verbose Display verbose messages. -parallel[+|-] Concurrent build. -version Display the compiler version number and exit. - ADVANCED - -baseaddress:&lt;number&gt; The base address for a library or module (hex). -checksumalgorithm:&lt;alg&gt; Specify algorithm for calculating source file checksum stored in PDB. Supported values are: SHA1 or SHA256 (default). -codepage:&lt;number&gt; Specifies the codepage to use when opening source files. -delaysign[+|-] Delay-sign the assembly using only the public portion of the strong name key. -publicsign[+|-] Public-sign the assembly using only the public portion of the strong name key. -errorreport:&lt;string&gt; Specifies how to handle internal compiler errors; must be prompt, send, none, or queue (default). -filealign:&lt;number&gt; Specify the alignment used for output file sections. -highentropyva[+|-] Enable high-entropy ASLR. -keycontainer:&lt;string&gt; Specifies a strong name key container. -keyfile:&lt;file&gt; Specifies a strong name key file. -libpath:&lt;path_list&gt; List of directories to search for metadata references. (Semi-colon delimited.) -main:&lt;class&gt; Specifies the Class or Module that contains Sub Main. It can also be a Class that inherits from System.Windows.Forms.Form. (Short form: -m) -moduleassemblyname:&lt;string&gt; Name of the assembly which this module will be a part of. -netcf Target the .NET Compact Framework. -nostdlib Do not reference standard libraries (system.dll and VBC.RSP file). -pathmap:&lt;K1&gt;=&lt;V1&gt;,&lt;K2&gt;=&lt;V2&gt;,... Specify a mapping for source path names output by the compiler. -platform:&lt;string&gt; Limit which platforms this code can run on; must be x86, x64, Itanium, arm, arm64 AnyCPU32BitPreferred or anycpu (default). -preferreduilang Specify the preferred output language name. -nosdkpath Disable searching the default SDK path for standard library assemblies. -sdkpath:&lt;path&gt; Location of the .NET Framework SDK directory (mscorlib.dll). -subsystemversion:&lt;version&gt; Specify subsystem version of the output PE. version:&lt;number&gt;[.&lt;number&gt;] -utf8output[+|-] Emit compiler output in UTF8 character encoding. @&lt;file&gt; Insert command-line settings from a text file -vbruntime[+|-|*] Compile with/without the default Visual Basic runtime. -vbruntime:&lt;file&gt; Compile with the alternate Visual Basic runtime in &lt;file&gt;. </source> <target state="translated"> Opciones del compilador de Visual Basic - ARCHIVO DE SALIDA - -out:&lt;archivo&gt; Especifica el nombre del archivo de salida. -target:exe Crea una aplicación de consola (predeterminado). (Forma corta: -t) -target:winexe Crea una aplicación de Windows. -target:library Crea un ensamblado de biblioteca. -target:module Crea un módulo que se puede agregar a un ensamblado. -target:appcontainerexe Crea una aplicación de Windows que se ejecuta en AppContainer -target:winmdobj Crea un archivo intermedio de metadatos de Windows. -doc[+|-] Genera un archivo de documentación XML. -doc:&lt;archivo&gt; Genera un archivo de documentación XML en &lt;archivo&gt;. -refout:&lt;archivo&gt; Salida del ensamblado de referencia para generar - ARCHIVOS DE ENTRADA - -addmodule:&lt;lista_archivos&gt; Hace referencia a metadatos desde los módulos especificados -link:&lt;lista_archivos&gt; Inserta metadatos desde el ensamblado de interoperabilidad especificado. (Forma corta: -l) -recurse:&lt;carácter comodín&gt; Incluye todos los archivos en el directorio y los subdirectorios actuales según las especificaciones del carácter comodín. -reference:&lt;lista_archivos&gt; Hace referencia a los metadatos desde el ensamblado especificado. (Forma corta: -r) -analyzer:&lt;lista_archivos&gt; Ejecuta los analizadores desde este ensamblado (Forma corta: -a) -additionalfile:&lt;lista_archivos&gt; Archivos adicionales que no afectan directamente a la generación de código, pero que los analizadores pueden usar para producir errores o advertencias. - RECURSOS - -linkresource:&lt;info recurso&gt; Vincula el archivo especificado como un recurso de ensamblado externo. resinfo:&lt;archivo&gt;[,&lt;nombre&gt;[,public|private]] (Forma corta: -linkres) -nowin32manifest El manifiesto predeterminado no debe estar insertado en la sección del manifiesto del PE de salida. -resource:&lt;info recurso&gt; Agrega el archivo especificado como un recurso de ensamblado insertado. resinfo:&lt;archivo&gt;[,&lt;nombre&gt;[,public|private]] (Forma corta: -res) -win32icon:&lt;archivo&gt; Especifica un archivo de icono Win32 (.ico) para los recursos Win32 predeterminados. -win32manifest:&lt;archivo&gt; El archivo proporcionado está insertado en la sección del manifiesto del PE de salida. -win32resource:&lt;archivo&gt; Especifica un archivo de recurso Win32 (.res) . - GENERACIÓN DE CÓDIGO - -optimize[+|-] Habilita las optimizaciones. -removeintchecks[+|-] Quita las comprobaciones de enteros. Desactivado de forma predeterminada. -debug[+|-] Emite información de depuración. -debug:full Emite información de depuración completa (valor predeterminado). -debug:pdbonly Emite información de depuración completa. -debug:portable Emite información de depuración multiplataforma. -debug:embedded Emite información de depuración multiplataforma en el archivo .dll o .exe de destino. -deterministic Produce un ensamblado determinista (que incluye el GUID de la versión y la marca de tiempo del módulo) -refonly Produce un ensamblado de referencia en lugar de la salida principal -instrument:TestCoverage Produce un ensamblado instrumentado para recopilar la información de cobertura -sourcelink:&lt;archivo&gt; Información del vínculo de origen para insertar en el PDB. - ERRORES Y ADVERTENCIAS - -nowarn Deshabilita todas las advertencias. -nowarn:&lt;lista_números&gt; Deshabilita una lista de advertencias individuales. -warnaserror[+|-] Trata todas las advertencias como errores. -warnaserror[+|-]:&lt;lista_números&gt; Trata una lista de advertencias como errores. -ruleset:&lt;archivo&gt; Especifica un archivo de conjunto de reglas que deshabilita diagnósticos específicos. -errorlog:&lt;archivo&gt;[,version=&lt;versión_de_sarif&gt;] Especifica un archivo para registrar todos los diagnósticos del compilador y del analizador en formato SARIF. versión_de_sarif:{1|2|2.1} El valor predeterminado es 1. 2 y 2.1, ambos significan SARIF versión 2.1.0. -reportanalyzer Notifica información adicional del analizador, como el tiempo de ejecución. -skipanalyzers[+|-] Omite la ejecución de los analizadores de diagnóstico. - LENGUAJE - -define:&lt;lista_símbolos&gt; Declara símbolos de compilación condicional global. lista_símbolos:name=value,... (Forma corta: -d) -imports:&lt;lista_importaciones&gt; Declara las importaciones globales para los espacios de nombres de los archivos de metadatos a los que se hace referencia. lista_importaciones:namespace,... -langversion:? Muestra los valores permitidos para la versión del lenguaje -langversion:&lt;cadena&gt; Especifica una versión del lenguaje, como “predeterminada” (versión principal más reciente) o “última” (última versión, incluidas las versiones secundarias) o versiones específicas, como “14” o “15.3” -optionexplicit[+|-] Requiere la declaración explícita de las variables. -optioninfer[+|-] Permite la inferencia de tipos de variables. -rootnamespace:&lt;cadena&gt; Especifica el espacio de nombres raíz para todas las declaraciones de tipos. -optionstrict[+|-] Exige semántica de lenguaje estricta. -optionstrict:custom Advierte cuando no se respeta la semántica del lenguaje estricta. -optioncompare:binary Especifica comparaciones de cadenas de estilo binario. Es el valor predeterminado. -optioncompare:text Especifica comparaciones de cadenas de estilo de texto. - VARIOS - -help Muestra este mensaje de uso. (Forma corta: -?) -noconfig No incluir automáticamente el archivo VBC.RSP. -nologo No mostrar pancarta de copyright del compilador. -quiet Modo de salida silencioso. -verbose Mostrar mensajes detallados. -parallel[+|-] Compilación simultánea. -version Mostrar el número de versión del compilador y salir. - AVANZADO - -baseaddress:&lt;número&gt; Dirección base de una biblioteca o módulo (hex). -checksumalgorithm:&lt;algoritmo&gt; Especifica el algoritmo para calcular la suma de comprobación del archivo de origen almacenado en PDB. Los valores admitidos son: SHA1 o SHA256 (predeterminado). -codepage:&lt;número&gt; Especifica la página de códigos que se va a usar al abrir los archivos de código fuente. -delaysign[+|-] Retrasa la firma del ensamblado con solo la parte pública de la clave de nombre seguro. -publicsign[+|-] Publica la firma del ensamblado con solo la parte pública de la clave de nombre seguro. -errorreport:&lt;cadena&gt; Especifica cómo tratar los errores internos del compilador: avisar, enviar, ninguno o poner en cola (predeterminado). -filealign:&lt;número&gt; Especifica la alineación que se usa para las secciones del archivo de salida. -highentropyva[+|-] Habilita ASLR de alta entropía. -keycontainer:&lt;cadena&gt; Especifica un contenedor de claves de nombre seguro. -keyfile:&lt;archivo&gt; Especifica un archivo de claves de nombre seguro. -libpath:&lt;lista_rutas&gt; Lista de directorios para buscar referencias de metadatos. (Delimitada por punto y coma). -main:&lt;clase&gt; Especifica la clase o el módulo que contiene Sub Main. También puede ser una clase que herede de System.Windows.Forms.Form. (Forma corta: -m) -moduleassemblyname:&lt;cadena&gt; Nombre del ensamblado del que este módulo formará parte. -netcf Destino de .NET Compact Framework. -nostdlib No hacer referencia a las bibliotecas estándar (archivo system.dll y VBC.RSP). -pathmap:&lt;K1&gt;=&lt;V1&gt;,&lt;K2&gt;=&lt;V2&gt;,... Especifica una asignación para los nombres de ruta de acceso de origen producidos por el compilador. -platform:&lt;cadena&gt; Limita en qué plataformas se puede ejecutar este código. Debe ser x86, x64, Itanium, arm, arm64, AnyCPU32BitPreferred o anycpu (valor predeterminado). -preferreduilang Especifica el nombre del lenguaje de salida preferido. -nosdkpath Deshabilita la búsqueda de la ruta de acceso del SDK predeterminado para ensamblados de biblioteca estándar. -sdkpath:&lt;ruta de acceso&gt; Ubicación del directorio de .NET Framework SDK (mscorlib.dll). -subsystemversion:&lt;versión&gt; Especifica la versión del subsistema del PE de salida. version:&lt;número&gt;[.&lt;número&gt;] -utf8output[+|-] Emite la salida del compilador en codificación de caracteres UTF8. @&lt;archivo&gt; Inserta la configuración de línea de comandos desde un archivo de texto -vbruntime[+|-|*] Compila con o sin el entorno de ejecución predeterminado de Visual Basic. -vbruntime:&lt;archivo&gt; Compila con el entorno de ejecución alternativo de Visual Basic en &lt;archivo&gt;. </target> <note /> </trans-unit> <trans-unit id="ThereAreNoFunctionPointerTypesInVB"> <source>There are no function pointer types in VB.</source> <target state="translated">No hay tipos de punteros de función en VB.</target> <note /> </trans-unit> <trans-unit id="ThereAreNoNativeIntegerTypesInVB"> <source>There are no native integer types in VB.</source> <target state="translated">No hay tipos enteros nativos en VB.</target> <note /> </trans-unit> <trans-unit id="Trees0"> <source>trees({0})</source> <target state="translated">árboles({0})</target> <note /> </trans-unit> <trans-unit id="TreesMustHaveRootNode"> <source>trees({0}) must have root node with SyntaxKind.CompilationUnit.</source> <target state="translated">los árboles({0}) deben tener un nodo raíz con SyntaxKind.CompilationUnit.</target> <note /> </trans-unit> <trans-unit id="CannotAddCompilerSpecialTree"> <source>Cannot add compiler special tree</source> <target state="translated">No se puede agregar el árbol especial del compilador</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeAlreadyPresent"> <source>Syntax tree already present</source> <target state="translated">Ya hay un árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="SubmissionCanHaveAtMostOneSyntaxTree"> <source>Submission can have at most one syntax tree.</source> <target state="translated">El envío puede tener, como máximo, un árbol de sintaxis.</target> <note /> </trans-unit> <trans-unit id="CannotRemoveCompilerSpecialTree"> <source>Cannot remove compiler special tree</source> <target state="translated">No se puede quitar el árbol especial del compilador</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeNotFoundToRemove"> <source>SyntaxTree '{0}' not found to remove</source> <target state="translated">No se encontró SyntaxTree '{0}' para quitarlo</target> <note /> </trans-unit> <trans-unit id="TreeMustHaveARootNodeWithCompilationUnit"> <source>Tree must have a root node with SyntaxKind.CompilationUnit</source> <target state="translated">El árbol debe tener un nodo raíz con SyntaxKind.CompilationUnit</target> <note /> </trans-unit> <trans-unit id="CompilationVisualBasic"> <source>Compilation (Visual Basic): </source> <target state="translated">Compilación (Visual Basic): </target> <note /> </trans-unit> <trans-unit id="NodeIsNotWithinSyntaxTree"> <source>Node is not within syntax tree</source> <target state="translated">El nodo no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="CantReferenceCompilationFromTypes"> <source>Can't reference compilation of type '{0}' from {1} compilation.</source> <target state="translated">No se puede hacer referencia a la compilación de tipo '{0}' desde {1} compilación.</target> <note /> </trans-unit> <trans-unit id="PositionOfTypeParameterTooLarge"> <source>position of type parameter too large</source> <target state="translated">la posición del parámetro de tipo es demasiado grande</target> <note /> </trans-unit> <trans-unit id="AssociatedTypeDoesNotHaveTypeParameters"> <source>Associated type does not have type parameters</source> <target state="translated">El tipo asociado no tiene parámetros de tipo</target> <note /> </trans-unit> <trans-unit id="IDS_FunctionReturnType"> <source>function return type</source> <target state="translated">tipo de valor devuelto de función</target> <note /> </trans-unit> <trans-unit id="TypeArgumentCannotBeNothing"> <source>Type argument cannot be Nothing</source> <target state="translated">El argumento de tipo no puede ser Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerReferencesFramework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado "{0}" que contiene el tipo "{1}" hace referencia a .NET Framework, lo cual no se admite.</target> <note>{1} is the type that was loaded, {0} is the containing assembly.</note> </trans-unit> <trans-unit id="WRN_AnalyzerReferencesFramework_Title"> <source>The loaded assembly references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado que se ha cargado hace referencia a .NET Framework, lo cual no se admite.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeHasInvalidParameterName"> <source>The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect. It is applied with an invalid parameter name.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect. It is applied with an invalid parameter name.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeHasInvalidParameterName_Title"> <source>The CallerArgumentExpressionAttribute applied to parameter will have no effect. It is applied with an invalid parameter name.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter will have no effect. It is applied with an invalid parameter name.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeSelfReferential"> <source>The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect because it's self-referential.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect because it's self-referential.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeSelfReferential_Title"> <source>The CallerArgumentExpressionAttribute applied to parameter will have no effect because it's self-referential.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter will have no effect because it's self-referential.</target> <note /> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration"> <source>Generator '{0}' failed to generate source. It will not contribute to the output and compilation errors may occur as a result. Exception was of type '{1}' with message '{2}'</source> <target state="translated">Error del generador "{0}" al crear código fuente. No contribuirá a la salida y pueden producirse errores de compilación como resultado. Se produjo la excepción de tipo "{1}" con el mensaje "{2}"</target> <note>{0} is the name of the generator that failed. {1} is the type of exception that was thrown {2} is the message in the exception</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration_Description"> <source>Generator threw the following exception: '{0}'.</source> <target state="translated">El generador produjo la excepción siguiente: "{0}".</target> <note>{0} is the string representation of the exception that was thrown.</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration_Title"> <source>Generator failed to generate source.</source> <target state="translated">Error del generador al crear código fuente.</target> <note /> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization"> <source>Generator '{0}' failed to initialize. It will not contribute to the output and compilation errors may occur as a result. Exception was of type '{1}' with message '{2}'</source> <target state="translated">Error de inicialización del generador "{0}". No contribuirá a la salida y pueden producirse errores de compilación como resultado. Se produjo la excepción de tipo "{1}" con el mensaje "{2}"</target> <note>{0} is the name of the generator that failed. {1} is the type of exception that was thrown {2} is the message in the exception</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization_Description"> <source>Generator threw the following exception: '{0}'.</source> <target state="translated">El generador produjo la excepción siguiente: "{0}".</target> <note>{0} is the string representation of the exception that was thrown.</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization_Title"> <source>Generator failed to initialize.</source> <target state="translated">Error de inicialización del generador.</target> <note /> </trans-unit> <trans-unit id="WrongNumberOfTypeArguments"> <source>Wrong number of type arguments</source> <target state="translated">Número de argumentos de tipo incorrecto</target> <note /> </trans-unit> <trans-unit id="ERR_FileNotFound"> <source>file '{0}' could not be found</source> <target state="translated">no se encontró el archivo '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_NoResponseFile"> <source>unable to open response file '{0}'</source> <target state="translated">no se puede abrir el archivo de respuesta '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentRequired"> <source>option '{0}' requires '{1}'</source> <target state="translated">la opción '{0}' requiere '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_SwitchNeedsBool"> <source>option '{0}' can be followed only by '+' or '-'</source> <target state="translated">la opción '{0}' solo puede ir seguida de '+' o '-'</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSwitchValue"> <source>the value '{1}' is invalid for option '{0}'</source> <target state="translated">el valor '{1}' no es válido para la opción '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_MutuallyExclusiveOptions"> <source>Compilation options '{0}' and '{1}' can't both be specified at the same time.</source> <target state="translated">No se pueden especificar a la vez las opciones de compilación '{0}' y '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_BadUILang"> <source>The language name '{0}' is invalid.</source> <target state="translated">El nombre de idioma '{0}' no es válido.</target> <note /> </trans-unit> <trans-unit id="WRN_BadUILang_Title"> <source>The language name for /preferreduilang is invalid</source> <target state="translated">El nombre de idioma para /preferreduilang no es válido</target> <note /> </trans-unit> <trans-unit id="ERR_VBCoreNetModuleConflict"> <source>The options /vbruntime* and /target:module cannot be combined.</source> <target state="translated">Las opciones /vbruntime* y /target:module no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFormatForGuidForOption"> <source>Command-line syntax error: Invalid Guid format '{0}' for option '{1}'</source> <target state="translated">Error de sintaxis de línea de comandos: formato de GUID '{0}' no válido para la opción '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_MissingGuidForOption"> <source>Command-line syntax error: Missing Guid for option '{1}'</source> <target state="translated">Error de sintaxis de línea de comandos: falta el GUID para la opción '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_BadChecksumAlgorithm"> <source>Algorithm '{0}' is not supported</source> <target state="translated">No se admite el algoritmo '{0}'</target> <note /> </trans-unit> <trans-unit id="WRN_BadSwitch"> <source>unrecognized option '{0}'; ignored</source> <target state="translated">opción '{0}' no reconocida; omitida</target> <note /> </trans-unit> <trans-unit id="WRN_BadSwitch_Title"> <source>Unrecognized command-line option</source> <target state="translated">Opción de línea de comandos no reconocida</target> <note /> </trans-unit> <trans-unit id="ERR_NoSources"> <source>no input sources specified</source> <target state="translated">no se especificó ningún origen de entrada</target> <note /> </trans-unit> <trans-unit id="WRN_FileAlreadyIncluded"> <source>source file '{0}' specified multiple times</source> <target state="translated">el archivo de código fuente '{0}' se especificó varias veces</target> <note /> </trans-unit> <trans-unit id="WRN_FileAlreadyIncluded_Title"> <source>Source file specified multiple times</source> <target state="translated">Se especificó el archivo de origen varias veces</target> <note /> </trans-unit> <trans-unit id="ERR_CantOpenFileWrite"> <source>can't open '{0}' for writing: {1}</source> <target state="translated">no se puede abrir '{0}' para escribir: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadCodepage"> <source>code page '{0}' is invalid or not installed</source> <target state="translated">la página de código '{0}' no es válida o no está instalada</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryFile"> <source>the file '{0}' is not a text file</source> <target state="translated">el archivo '{0}' no es un archivo de texto</target> <note /> </trans-unit> <trans-unit id="ERR_LibNotFound"> <source>could not find library '{0}'</source> <target state="translated">no se encontró la biblioteca '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_MetadataReferencesNotSupported"> <source>Metadata references not supported.</source> <target state="translated">Referencias de metadatos no admitidas.</target> <note /> </trans-unit> <trans-unit id="ERR_IconFileAndWin32ResFile"> <source>cannot specify both /win32icon and /win32resource</source> <target state="translated">no se puede especificar /win32icon y /win32resource</target> <note /> </trans-unit> <trans-unit id="WRN_NoConfigInResponseFile"> <source>ignoring /noconfig option because it was specified in a response file</source> <target state="translated">omitiendo la opción /noconfig porque se especificó en un archivo de respuesta</target> <note /> </trans-unit> <trans-unit id="WRN_NoConfigInResponseFile_Title"> <source>Ignoring /noconfig option because it was specified in a response file</source> <target state="translated">Omitiendo la opción /noconfig porque se especificó en un archivo de respuesta</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidWarningId"> <source>warning number '{0}' for the option '{1}' is either not configurable or not valid</source> <target state="translated">el número de advertencia '{0}' para la opción '{1}' no es configurable o no es válido</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidWarningId_Title"> <source>Warning number is either not configurable or not valid</source> <target state="translated">El número de advertencia no se puede configurar o no es válido</target> <note /> </trans-unit> <trans-unit id="ERR_NoSourcesOut"> <source>cannot infer an output file name from resource only input files; provide the '/out' option</source> <target state="translated">no se puede inferir un nombre de archivo de salida desde recursos que solo tienen archivos de entrada; proporcione la opción '/out'</target> <note /> </trans-unit> <trans-unit id="ERR_NeedModule"> <source>the /moduleassemblyname option may only be specified when building a target of type 'module'</source> <target state="translated">la opción /moduleassemblyname solo se puede especificar al crear un destino de tipo 'module'</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyName"> <source>'{0}' is not a valid value for /moduleassemblyname</source> <target state="translated">'{0}' no es un valor válido para /moduleassemblyname</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingManifestSwitches"> <source>Error embedding Win32 manifest: Option /win32manifest conflicts with /nowin32manifest.</source> <target state="translated">Error al incrustar el manifiesto de Win32: la opción /win32manifest entra en conflicto con /nowin32manifest.</target> <note /> </trans-unit> <trans-unit id="WRN_IgnoreModuleManifest"> <source>Option /win32manifest ignored. It can be specified only when the target is an assembly.</source> <target state="translated">Se ha omitido la opción /win32manifest. Solo se puede especificar cuando el destino es un ensamblado.</target> <note /> </trans-unit> <trans-unit id="WRN_IgnoreModuleManifest_Title"> <source>Option /win32manifest ignored</source> <target state="translated">Se ignoró la opción /win32manifest</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidInNamespace"> <source>Statement is not valid in a namespace.</source> <target state="translated">La instrucción no es válida en un espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedType1"> <source>Type '{0}' is not defined.</source> <target state="translated">No está definido el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingNext"> <source>'Next' expected.</source> <target state="translated">'Se esperaba 'Next'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCharConstant"> <source>Character constant must contain exactly one character.</source> <target state="translated">La constante de caracteres debe contener exactamente un carácter.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedAssemblyEvent3"> <source>Reference required to assembly '{0}' containing the definition for event '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al ensamblado '{0}' que contiene la definición del evento '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedModuleEvent3"> <source>Reference required to module '{0}' containing the definition for event '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al módulo '{0}' que contiene la definición del evento '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_LbExpectedEndIf"> <source>'#If' block must end with a matching '#End If'.</source> <target state="translated">'El bloque '#If' debe terminar con una instrucción '#End If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbNoMatchingIf"> <source>'#ElseIf', '#Else', or '#End If' must be preceded by a matching '#If'.</source> <target state="translated">'#ElseIf', '#Else' o '#End If' deben ir precedidas de la instrucción '#If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbBadElseif"> <source>'#ElseIf' must be preceded by a matching '#If' or '#ElseIf'.</source> <target state="translated">'#ElseIf' debe ir precedida de la instrucción '#If' o '#ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromRestrictedType1"> <source>Inheriting from '{0}' is not valid.</source> <target state="translated">No es válido heredar de '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvOutsideProc"> <source>Labels are not valid outside methods.</source> <target state="translated">Las etiquetas no son válidas fuera de los métodos.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateCantImplement"> <source>Delegates cannot implement interface methods.</source> <target state="translated">Los delegados no pueden implementar métodos de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateCantHandleEvents"> <source>Delegates cannot handle events.</source> <target state="translated">Los delegados no pueden administrar eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorRequiresReferenceTypes1"> <source>'Is' operator does not accept operands of type '{0}'. Operands must be reference or nullable types.</source> <target state="translated">'El operador 'Is' no acepta operandos de tipo '{0}'. Los operandos deben ser tipos de referencia o que acepten valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOfRequiresReferenceType1"> <source>'TypeOf ... Is' requires its left operand to have a reference type, but this operand has the value type '{0}'.</source> <target state="translated">'TypeOf ... Is' requiere que el operando situado a su izquierda tenga un tipo de referencia, pero este operando tiene el tipo de valor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyHasSet"> <source>Properties declared 'ReadOnly' cannot have a 'Set'.</source> <target state="translated">Las propiedades declaradas como 'ReadOnly' no pueden tener una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyHasGet"> <source>Properties declared 'WriteOnly' cannot have a 'Get'.</source> <target state="translated">Las propiedades declaradas como 'WriteOnly' no pueden tener una instrucción 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideProc"> <source>Statement is not valid inside a method.</source> <target state="translated">La instrucción no es válida dentro de un método.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideBlock"> <source>Statement is not valid inside '{0}' block.</source> <target state="translated">La instrucción no es válida dentro de un bloque '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnexpectedExpressionStatement"> <source>Expression statement is only allowed at the end of an interactive submission.</source> <target state="translated">La instrucción de expresión solo se permite al final de un envío interactivo.</target> <note /> </trans-unit> <trans-unit id="ERR_EndProp"> <source>Property missing 'End Property'.</source> <target state="translated">Falta 'End Property' en Property.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSubExpected"> <source>'End Sub' expected.</source> <target state="translated">'Se esperaba 'End Sub'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndFunctionExpected"> <source>'End Function' expected.</source> <target state="translated">'Se esperaba 'End Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_LbElseNoMatchingIf"> <source>'#Else' must be preceded by a matching '#If' or '#ElseIf'.</source> <target state="translated">'#Else' debe ir precedida de la instrucción '#If' o '#ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CantRaiseBaseEvent"> <source>Derived classes cannot raise base class events.</source> <target state="translated">Las clases derivadas no pueden generar eventos de clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_TryWithoutCatchOrFinally"> <source>Try must have at least one 'Catch' or a 'Finally'.</source> <target state="translated">Try debe tener al menos una instrucción 'Catch' o 'Finally'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventsCantBeFunctions"> <source>Events cannot have a return type.</source> <target state="translated">Los eventos no pueden tener un tipo de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndBrack"> <source>Bracketed identifier is missing closing ']'.</source> <target state="translated">Falta el corchete de cierre ']' del identificador entre corchetes.</target> <note /> </trans-unit> <trans-unit id="ERR_Syntax"> <source>Syntax error.</source> <target state="translated">Error de sintaxis.</target> <note /> </trans-unit> <trans-unit id="ERR_Overflow"> <source>Overflow.</source> <target state="translated">Desbordamiento.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalChar"> <source>Character is not valid.</source> <target state="translated">El carácter no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_StdInOptionProvidedButConsoleInputIsNotRedirected"> <source>stdin argument '-' is specified, but input has not been redirected from the standard input stream.</source> <target state="translated">Se ha especificado el argumento stdin "-", pero la entrada no se ha redirigido desde el flujo de entrada estándar.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsObjectOperand1"> <source>Option Strict On prohibits operands of type Object for operator '{0}'.</source> <target state="translated">Option Strict On prohíbe operandos de tipo Object para el operador '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopControlMustNotBeProperty"> <source>Loop control variable cannot be a property or a late-bound indexed array.</source> <target state="translated">La variable de control Loop no puede ser una propiedad o una matriz indizada enlazada en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodBodyNotAtLineStart"> <source>First statement of a method body cannot be on the same line as the method declaration.</source> <target state="translated">La primera instrucción de un cuerpo de método no puede estar en la misma línea que la declaración del método.</target> <note /> </trans-unit> <trans-unit id="ERR_MaximumNumberOfErrors"> <source>Maximum number of errors has been exceeded.</source> <target state="translated">Se ha superado el número máximo de errores.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordNotInInstanceMethod1"> <source>'{0}' is valid only within an instance method.</source> <target state="translated">'{0}' solo es válido en un método de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordFromStructure1"> <source>'{0}' is not valid within a structure.</source> <target state="translated">'{0}' no es válido dentro de una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeConstructor1"> <source>Attribute constructor has a parameter of type '{0}', which is not an integral, floating-point or Enum type or one of Object, Char, String, Boolean, System.Type or 1-dimensional array of these types.</source> <target state="translated">El constructor de atributos tiene un parámetro de tipo '{0}', que no es de tipo integral, punto flotante o enumeración, ni de tipo Object, Char, String, Boolean o System.Type, ni una matriz unidimensional de estos tipos.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayWithOptArgs"> <source>Method cannot have both a ParamArray and Optional parameters.</source> <target state="translated">El método no puede tener los parámetros ParamArray y Optional.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedArray1"> <source>'{0}' statement requires an array.</source> <target state="translated">'La instrucción '{0}' requiere una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayNotArray"> <source>ParamArray parameter must be an array.</source> <target state="translated">El parámetro ParamArray debe ser una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayRank"> <source>ParamArray parameter must be a one-dimensional array.</source> <target state="translated">El parámetro ParamArray debe ser una matriz unidimensional.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayRankLimit"> <source>Array exceeds the limit of 32 dimensions.</source> <target state="translated">La matriz supera el límite de 32 dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_AsNewArray"> <source>Arrays cannot be declared with 'New'.</source> <target state="translated">Las matrices no se pueden declarar con 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs1"> <source>Too many arguments to '{0}'.</source> <target state="translated">Demasiados argumentos para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedCase"> <source>Statements and labels are not valid between 'Select Case' and first 'Case'.</source> <target state="translated">Las instrucciones y etiquetas no son válidas entre 'Select Case' y la primera instrucción 'Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredConstExpr"> <source>Constant expression is required.</source> <target state="translated">Se requiere una expresión constante.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredConstConversion2"> <source>Conversion from '{0}' to '{1}' cannot occur in a constant expression.</source> <target state="translated">No se puede realizar una conversión de '{0}' a '{1}' en una expresión constante.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMe"> <source>'Me' cannot be the target of an assignment.</source> <target state="translated">'Me' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyAssignment"> <source>'ReadOnly' variable cannot be the target of an assignment.</source> <target state="translated">'La variable 'ReadOnly' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitSubOfFunc"> <source>'Exit Sub' is not valid in a Function or Property.</source> <target state="translated">'La instrucción 'Exit Sub' no es válida en Function o Property.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitPropNot"> <source>'Exit Property' is not valid in a Function or Sub.</source> <target state="translated">'La instrucción 'Exit Property' no es válida en Function o Sub.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitFuncOfSub"> <source>'Exit Function' is not valid in a Sub or Property.</source> <target state="translated">'La instrucción 'Exit Function' no es válida en Sub o Property.</target> <note /> </trans-unit> <trans-unit id="ERR_LValueRequired"> <source>Expression is a value and therefore cannot be the target of an assignment.</source> <target state="translated">La expresión es un valor y, por tanto, no puede ser destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ForIndexInUse1"> <source>For loop control variable '{0}' already in use by an enclosing For loop.</source> <target state="translated">El bucle For envolvente ya está usando la variable de control de bucle For '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NextForMismatch1"> <source>Next control variable does not match For loop control variable '{0}'.</source> <target state="translated">La variable de control Next no coincide con la variable de control de bucle For '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseElseNoSelect"> <source>'Case Else' can only appear inside a 'Select Case' statement.</source> <target state="translated">'Case Else' solo puede aparecer dentro de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseNoSelect"> <source>'Case' can only appear inside a 'Select Case' statement.</source> <target state="translated">'Case' solo puede aparecer dentro de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantAssignToConst"> <source>Constant cannot be the target of an assignment.</source> <target state="translated">La constante no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedSubscript"> <source>Named arguments are not valid as array subscripts.</source> <target state="translated">Los argumentos con nombre no son válidos como subíndices de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndIf"> <source>'If' must end with a matching 'End If'.</source> <target state="translated">'If' debe terminar con la instrucción 'End If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndWhile"> <source>'While' must end with a matching 'End While'.</source> <target state="translated">'While' debe terminar con la instrucción 'End While' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLoop"> <source>'Do' must end with a matching 'Loop'.</source> <target state="translated">'Do' debe terminar con la instrucción 'Loop' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNext"> <source>'For' must end with a matching 'Next'.</source> <target state="translated">'For' debe terminar con la instrucción 'Next' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndWith"> <source>'With' must end with a matching 'End With'.</source> <target state="translated">'With' debe terminar con la instrucción 'End With' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ElseNoMatchingIf"> <source>'Else' must be preceded by a matching 'If' or 'ElseIf'.</source> <target state="translated">'Else' debe ir precedida de una instrucción 'If' o 'ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndIfNoMatchingIf"> <source>'End If' must be preceded by a matching 'If'.</source> <target state="translated">'End If' debe ir precedida de la instrucción 'If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSelectNoSelect"> <source>'End Select' must be preceded by a matching 'Select Case'.</source> <target state="translated">'End Select' debe ir precedida de la instrucción 'Select Case' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitDoNotWithinDo"> <source>'Exit Do' can only appear inside a 'Do' statement.</source> <target state="translated">'Exit Do' solo puede aparecer dentro de una instrucción 'Do'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndWhileNoWhile"> <source>'End While' must be preceded by a matching 'While'.</source> <target state="translated">'End While' debe ir precedida de la instrucción 'While' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopNoMatchingDo"> <source>'Loop' must be preceded by a matching 'Do'.</source> <target state="translated">'Loop' debe ir precedida de la instrucción 'Do' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NextNoMatchingFor"> <source>'Next' must be preceded by a matching 'For'.</source> <target state="translated">'Next' debe ir precedida de la instrucción 'For' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndWithWithoutWith"> <source>'End With' must be preceded by a matching 'With'.</source> <target state="translated">'End With' debe ir precedida de la instrucción 'With' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefined1"> <source>Label '{0}' is already defined in the current method.</source> <target state="translated">La etiqueta '{0}' ya está definida en el método actual.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndSelect"> <source>'Select Case' must end with a matching 'End Select'.</source> <target state="translated">'Select Case' debe terminar con la instrucción 'End Select' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitForNotWithinFor"> <source>'Exit For' can only appear inside a 'For' statement.</source> <target state="translated">'Exit For' solo puede aparecer dentro de una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitWhileNotWithinWhile"> <source>'Exit While' can only appear inside a 'While' statement.</source> <target state="translated">'Exit While' solo puede aparecer dentro de una instrucción 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyProperty1"> <source>'ReadOnly' property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad '{0}' de 'ReadOnly' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitSelectNotWithinSelect"> <source>'Exit Select' can only appear inside a 'Select' statement.</source> <target state="translated">'Exit Select' solo puede aparecer dentro de una instrucción 'Select'.</target> <note /> </trans-unit> <trans-unit id="ERR_BranchOutOfFinally"> <source>Branching out of a 'Finally' is not valid.</source> <target state="translated">La rama fuera de una cláusula 'Finally' no es válida.</target> <note /> </trans-unit> <trans-unit id="ERR_QualNotObjectRecord1"> <source>'!' requires its left operand to have a type parameter, class or interface type, but this operand has the type '{0}'.</source> <target state="translated">'!' requiere que el operando izquierdo tenga un parámetro de tipo, una clase o un tipo de interfaz, pero este operando tiene el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewIndices"> <source>Number of indices is less than the number of dimensions of the indexed array.</source> <target state="translated">El número de índices es inferior al número de dimensiones de la matriz indizada.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyIndices"> <source>Number of indices exceeds the number of dimensions of the indexed array.</source> <target state="translated">El número de índices supera el número de dimensiones de la matriz indizada.</target> <note /> </trans-unit> <trans-unit id="ERR_EnumNotExpression1"> <source>'{0}' is an Enum type and cannot be used as an expression.</source> <target state="translated">“{0}” es un tipo de enumeración y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeNotExpression1"> <source>'{0}' is a type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassNotExpression1"> <source>'{0}' is a class type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de clase y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureNotExpression1"> <source>'{0}' is a structure type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de estructura y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNotExpression1"> <source>'{0}' is an interface type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de interfaz y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotExpression1"> <source>'{0}' is a namespace and cannot be used as an expression.</source> <target state="translated">'{0}' es un espacio de nombres y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNamespaceName1"> <source>'{0}' is not a valid name and cannot be used as the root namespace name.</source> <target state="translated">'{0}' no es un nombre válido y no se puede usar como el nombre del espacio de nombres raíz.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlPrefixNotExpression"> <source>'{0}' is an XML prefix and cannot be used as an expression. Use the GetXmlNamespace operator to create a namespace object.</source> <target state="translated">'{0}' es un prefijo XML y no se puede usar como una expresión. Use el operador GetXmlNamespace para crear un objeto de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleExtends"> <source>'Inherits' can appear only once within a 'Class' statement and can only specify one class.</source> <target state="translated">'Inherits' solo puede aparecer una vez dentro de una instrucción 'Class' y solo puede especificar una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_PropMustHaveGetSet"> <source>Property without a 'ReadOnly' or 'WriteOnly' specifier must provide both a 'Get' and a 'Set'.</source> <target state="translated">Una propiedad sin un especificador 'ReadOnly' o 'WriteOnly' debe proporcionar una instrucción 'Get' y una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyHasNoWrite"> <source>'WriteOnly' property must provide a 'Set'.</source> <target state="translated">'Una propiedad 'WriteOnly' debe proporcionar una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyHasNoGet"> <source>'ReadOnly' property must provide a 'Get'.</source> <target state="translated">'Una propiedad 'ReadOnly' debe proporcionar una instrucción 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttribute1"> <source>Attribute '{0}' is not valid: Incorrect argument value.</source> <target state="translated">El atributo '{0}' no es válido: valor de argumento incorrecto.</target> <note /> </trans-unit> <trans-unit id="ERR_LabelNotDefined1"> <source>Label '{0}' is not defined.</source> <target state="translated">La etiqueta '{0}' no está definida.</target> <note /> </trans-unit> <trans-unit id="ERR_ErrorCreatingWin32ResourceFile"> <source>Error creating Win32 resources: {0}</source> <target state="translated">Error al crear recursos de Win32: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToCreateTempFile"> <source>Cannot create temporary file: {0}</source> <target state="translated">No se puede crear el archivo temporal: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNewCall2"> <source>First statement of this 'Sub New' must be a call to 'MyBase.New' or 'MyClass.New' because base class '{0}' of '{1}' does not have an accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada a 'MyBase.New' o 'MyClass.New' porque la clase base '{0}' de '{1}' no tiene un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_UnimplementedMember3"> <source>{0} '{1}' must implement '{2}' for interface '{3}'.</source> <target state="translated">{0} '{1}' debe implementar '{2}' para la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadWithRef"> <source>Leading '.' or '!' can only appear inside a 'With' statement.</source> <target state="translated">.' o '!' inicial solo puede aparecer dentro de una instrucción 'With'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAccessCategoryUsed"> <source>Only one of 'Public', 'Private', 'Protected', 'Friend', 'Protected Friend', or 'Private Protected' can be specified.</source> <target state="translated">Solo se puede especificar uno de los valores siguientes: "Public", "Private", "Protected", "Friend", "Protected Friend" o "Private Protected".</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateModifierCategoryUsed"> <source>Only one of 'NotOverridable', 'MustOverride', or 'Overridable' can be specified.</source> <target state="translated">Solo se puede especificar 'NotOverridable', 'MustOverride' u 'Overridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateSpecifier"> <source>Specifier is duplicated.</source> <target state="translated">El especificador está duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeConflict6"> <source>{0} '{1}' and {2} '{3}' conflict in {4} '{5}'.</source> <target state="translated">{0} '{1}' y {2} '{3}' entran en conflicto en {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedTypeKeyword"> <source>Keyword does not name a type.</source> <target state="translated">La palabra clave no denomina un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtraSpecifiers"> <source>Specifiers valid only at the beginning of a declaration.</source> <target state="translated">Especificadores válidos solo al principio de una declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedType"> <source>Type expected.</source> <target state="translated">Se esperaba un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidUseOfKeyword"> <source>Keyword is not valid as an identifier.</source> <target state="translated">Una palabra clave no es válida como identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndEnum"> <source>'End Enum' must be preceded by a matching 'Enum'.</source> <target state="translated">'End Enum' debe ir precedida de la instrucción 'Enum' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndEnum"> <source>'Enum' must end with a matching 'End Enum'.</source> <target state="translated">'Enum' debe terminar con la instrucción 'End Enum' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDeclaration"> <source>Declaration expected.</source> <target state="translated">Se esperaba una declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayMustBeLast"> <source>End of parameter list expected. Cannot define parameters after a paramarray parameter.</source> <target state="translated">Se esperaba el fin de la lista de parámetros. No se pueden definir parámetros después de un parámetro paramarray.</target> <note /> </trans-unit> <trans-unit id="ERR_SpecifiersInvalidOnInheritsImplOpt"> <source>Specifiers and attributes are not valid on this statement.</source> <target state="translated">Los especificadores y atributos no son válidos en esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSpecifier"> <source>Expected one of 'Dim', 'Const', 'Public', 'Private', 'Protected', 'Friend', 'Shadows', 'ReadOnly' or 'Shared'.</source> <target state="translated">Se esperaba 'Dim', 'Const', 'Public', 'Private', 'Protected', 'Friend', 'Shadows', 'ReadOnly' o 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedComma"> <source>Comma expected.</source> <target state="translated">Se esperaba una coma.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAs"> <source>'As' expected.</source> <target state="translated">'Se esperaba 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRparen"> <source>')' expected.</source> <target state="translated">'Se esperaba ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLparen"> <source>'(' expected.</source> <target state="translated">'Se esperaba '('.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNewInType"> <source>'New' is not valid in this context.</source> <target state="translated">'New' no es válido en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedExpression"> <source>Expression expected.</source> <target state="translated">Se esperaba una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOptional"> <source>'Optional' expected.</source> <target state="translated">'Se esperaba 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIdentifier"> <source>Identifier expected.</source> <target state="translated">Se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIntLiteral"> <source>Integer constant expected.</source> <target state="translated">Se esperaba una constante de tipo entero.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEOS"> <source>End of statement expected.</source> <target state="translated">Se esperaba el fin de instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedForOptionStmt"> <source>'Option' must be followed by 'Compare', 'Explicit', 'Infer', or 'Strict'.</source> <target state="translated">'Option' debe ir seguido de 'Compare', 'Explicit', 'Infer' o 'Strict'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionCompare"> <source>'Option Compare' must be followed by 'Text' or 'Binary'.</source> <target state="translated">'Option Compare' debe ir seguida de 'Text' o 'Binary'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOptionCompare"> <source>'Compare' expected.</source> <target state="translated">'Se esperaba 'Compare'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowImplicitObject"> <source>Option Strict On requires all variable declarations to have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todas las declaraciones de variables tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsImplicitProc"> <source>Option Strict On requires all Function, Property, and Operator declarations to have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todas las declaraciones Function, Property y Operator tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsImplicitArgs"> <source>Option Strict On requires that all method parameters have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todos los parámetros del método tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidParameterSyntax"> <source>Comma or ')' expected.</source> <target state="translated">Se esperaba una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSubFunction"> <source>'Sub' or 'Function' expected.</source> <target state="translated">'Se esperaba 'Sub' o 'Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedStringLiteral"> <source>String constant expected.</source> <target state="translated">Se esperaba una constante de cadena.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingLibInDeclare"> <source>'Lib' expected.</source> <target state="translated">'Se esperaba 'Lib'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateNoInvoke1"> <source>Delegate class '{0}' has no Invoke method, so an expression of this type cannot be the target of a method call.</source> <target state="translated">La clase delegada '{0}' no tiene ningún método Invoke y, por tanto, una expresión de este tipo no puede ser el destino de una llamada a método.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingIsInTypeOf"> <source>'Is' expected.</source> <target state="translated">'Se esperaba 'Is'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateOption1"> <source>'Option {0}' statement can only appear once per file.</source> <target state="translated">'La instrucción 'Option {0}' solo puede aparecer una vez en cada archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantInherit"> <source>'Inherits' not valid in Modules.</source> <target state="translated">'Inherits' no es válido en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantImplement"> <source>'Implements' not valid in Modules.</source> <target state="translated">'Implements' no es válido en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadImplementsType"> <source>Implemented type must be an interface.</source> <target state="translated">El tipo implementado debe ser una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConstFlags1"> <source>'{0}' is not valid on a constant declaration.</source> <target state="translated">'{0}' no es válido en una declaración de constantes.</target> <note /> </trans-unit> <trans-unit id="ERR_BadWithEventsFlags1"> <source>'{0}' is not valid on a WithEvents declaration.</source> <target state="translated">'{0}' no es válido en una declaración WithEvents.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDimFlags1"> <source>'{0}' is not valid on a member variable declaration.</source> <target state="translated">'{0}' no es válido en una declaración de variables miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateParamName1"> <source>Parameter already declared with name '{0}'.</source> <target state="translated">Ya se ha declarado el parámetro con el nombre '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopDoubleCondition"> <source>'Loop' cannot have a condition if matching 'Do' has one.</source> <target state="translated">'Loop' no puede tener una condición si la instrucción 'Do' coincidente tiene una.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRelational"> <source>Relational operator expected.</source> <target state="translated">Se esperaba un operador relacional.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedExitKind"> <source>'Exit' must be followed by 'Sub', 'Function', 'Property', 'Do', 'For', 'While', 'Select', or 'Try'.</source> <target state="translated">'Exit' debe ir seguido de 'Sub', 'Function', 'Property', 'Do', 'For', 'While', 'Select' o 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNamedArgumentInAttributeList"> <source>Named argument expected.</source> <target state="translated">Se esperaba un argumento con nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgumentSpecificationBeforeFixedArgumentInLateboundInvocation"> <source>Named argument specifications must appear after all fixed arguments have been specified in a late bound invocation.</source> <target state="translated">Las especificaciones de argumento con nombre deben aparecer después de haber especificado todos los argumentos fijos en una invocación enlazada en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNamedArgument"> <source>Named argument expected. Please use language version {0} or greater to use non-trailing named arguments.</source> <target state="translated">Se esperaba un argumento con nombre. Use la versión {0} del lenguaje, o una posterior, para usar argumentos con nombre que no sean finales.</target> <note /> </trans-unit> <trans-unit id="ERR_BadMethodFlags1"> <source>'{0}' is not valid on a method declaration.</source> <target state="translated">'{0}' no es válido en una declaración de método.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEventFlags1"> <source>'{0}' is not valid on an event declaration.</source> <target state="translated">'{0}' no es válido en una declaración de evento.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDeclareFlags1"> <source>'{0}' is not valid on a Declare.</source> <target state="translated">'{0}' no es válido en Declare.</target> <note /> </trans-unit> <trans-unit id="ERR_BadLocalConstFlags1"> <source>'{0}' is not valid on a local constant declaration.</source> <target state="translated">'{0}' no es válido en una declaración de constantes local.</target> <note /> </trans-unit> <trans-unit id="ERR_BadLocalDimFlags1"> <source>'{0}' is not valid on a local variable declaration.</source> <target state="translated">'{0}' no es válido en una declaración de variables local.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedConditionalDirective"> <source>'If', 'ElseIf', 'Else', 'Const', 'Region', 'ExternalSource', 'ExternalChecksum', 'Enable', 'Disable', 'End' or 'R' expected.</source> <target state="translated">'Se esperaba 'If', 'ElseIf', 'Else', 'Const', 'Region', 'ExternalSource', 'ExternalChecksum', 'Enable', 'Disable', 'End' o 'R'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEQ"> <source>'=' expected.</source> <target state="translated">'Se esperaba '='.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorNotFound1"> <source>Type '{0}' has no constructors.</source> <target state="translated">El tipo '{0}' no tiene constructores.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndInterface"> <source>'End Interface' must be preceded by a matching 'Interface'.</source> <target state="translated">'End Interface' debe ir precedida de la instrucción 'Interface' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndInterface"> <source>'Interface' must end with a matching 'End Interface'.</source> <target state="translated">'Interface' debe terminar con la instrucción 'End Interface' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFrom2"> <source> '{0}' inherits from '{1}'.</source> <target state="translated"> '{0}' hereda de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNestedIn2"> <source> '{0}' is nested in '{1}'.</source> <target state="translated"> '{0}' está anidado en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceCycle1"> <source>Class '{0}' cannot inherit from itself: {1}</source> <target state="translated">La clase '{0}' no puede heredar de sí misma: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromNonClass"> <source>Classes can inherit only from other classes.</source> <target state="translated">Las clases solo pueden heredarse de otras clases.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefinedType3"> <source>'{0}' is already declared as '{1}' in this {2}.</source> <target state="translated">'{0}' ya está declarado como '{1}' en esta {2}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadOverrideAccess2"> <source>'{0}' cannot override '{1}' because they have different access levels.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque tienen niveles de acceso diferentes.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverrideNotOverridable2"> <source>'{0}' cannot override '{1}' because it is declared 'NotOverridable'.</source> <target state="translated">'{0}' no puede anular '{1}' porque está declarado como 'NotOverridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateProcDef1"> <source>'{0}' has multiple definitions with identical signatures.</source> <target state="translated">'{0}' tiene varias definiciones con firmas idénticas.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateProcDefWithDifferentTupleNames2"> <source>'{0}' has multiple definitions with identical signatures with different tuple element names, including '{1}'.</source> <target state="translated">'{0}' tiene varias definiciones con firmas idénticas que tienen nombres de elementos de tupla diferentes, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceMethodFlags1"> <source>'{0}' is not valid on an interface method declaration.</source> <target state="translated">'{0}' no es válido en una declaración de método de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound2"> <source>'{0}' is not a parameter of '{1}'.</source> <target state="translated">'{0}' no es un parámetro de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfacePropertyFlags1"> <source>'{0}' is not valid on an interface property declaration.</source> <target state="translated">'{0}' no es válido en una declaración de propiedad de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice2"> <source>Parameter '{0}' of '{1}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' de '{1}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceCantUseEventSpecifier1"> <source>'{0}' is not valid on an interface event declaration.</source> <target state="translated">'{0}' no es válido en una declaración de evento de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_TypecharNoMatch2"> <source>Type character '{0}' does not match declared data type '{1}'.</source> <target state="translated">El carácter de tipo '{0}' no coincide con el tipo de datos '{1}' declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSubOrFunction"> <source>'Sub' or 'Function' expected after 'Delegate'.</source> <target state="translated">'Se esperaba 'Sub' o 'Function' después de 'Delegate'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEmptyEnum1"> <source>Enum '{0}' must contain at least one member.</source> <target state="translated">La enumeración “{0}” debe contener al menos un miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidConstructorCall"> <source>Constructor call is valid only as the first statement in an instance constructor.</source> <target state="translated">La llamada a un constructor solo es válida como primera instrucción de un constructor de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverrideConstructor"> <source>'Sub New' cannot be declared 'Overrides'.</source> <target state="translated">'Sub New' no se puede declarar como 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorCannotBeDeclaredPartial"> <source>'Sub New' cannot be declared 'Partial'.</source> <target state="translated">'Sub New' no se puede declarar como 'Partial'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleEmitFailure"> <source>Failed to emit module '{0}': {1}</source> <target state="translated">No se pudo emitir el módulo "{0}": {1}</target> <note /> </trans-unit> <trans-unit id="ERR_EncUpdateFailedMissingAttribute"> <source>Cannot update '{0}'; attribute '{1}' is missing.</source> <target state="translated">No se puede actualizar '{0}'; falta el atributo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideNotNeeded3"> <source>{0} '{1}' cannot be declared 'Overrides' because it does not override a {0} in a base class.</source> <target state="translated">{0} '{1}' no se puede declarar 'Overrides' porque no invalida {0} en una clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDot"> <source>'.' expected.</source> <target state="translated">'Se esperaba '.'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocals1"> <source>Local variable '{0}' is already declared in the current block.</source> <target state="translated">La variable local '{0}' ya se ha declarado en el bloque actual.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsProc"> <source>Statement cannot appear within a method body. End of method assumed.</source> <target state="translated">La instrucción no puede aparecer dentro de un cuerpo de método. Se supone el final del método.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalSameAsFunc"> <source>Local variable cannot have the same name as the function containing it.</source> <target state="translated">La variable local no puede tener el mismo nombre que la función que la contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_RecordEmbeds2"> <source> '{0}' contains '{1}' (variable '{2}').</source> <target state="translated"> '{0}' contiene '{1}' (variable '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_RecordCycle2"> <source>Structure '{0}' cannot contain an instance of itself: {1}</source> <target state="translated">La estructura '{0}' no puede contener una instancia de sí misma: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceCycle1"> <source>Interface '{0}' cannot inherit from itself: {1}</source> <target state="translated">La interfaz '{0}' no puede heredarse de: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_SubNewCycle2"> <source> '{0}' calls '{1}'.</source> <target state="translated"> '{0}' llama a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SubNewCycle1"> <source>Constructor '{0}' cannot call itself: {1}</source> <target state="translated">El constructor '{0}' no se puede llamar a sí mismo: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromCantInherit3"> <source>'{0}' cannot inherit from {2} '{1}' because '{1}' is declared 'NotInheritable'.</source> <target state="translated">'{0}' no puede heredarse de {2} '{1}' porque '{1}' está declarado como 'NotInheritable'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithOptional2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by optional parameters.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithReturnType2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by return types.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en los tipos de valor devueltos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharWithType1"> <source>Type character '{0}' cannot be used in a declaration with an explicit type.</source> <target state="translated">El carácter de tipo '{0}' no se puede usar en una declaración con un tipo explícito.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnSub"> <source>Type character cannot be used in a 'Sub' declaration because a 'Sub' doesn't return a value.</source> <target state="translated">El carácter de tipo no se puede usar en una declaración 'Sub' porque 'Sub' no devuelve un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithDefault2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by the default values of optional parameters.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en los valores predeterminados de los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingSubscript"> <source>Array subscript expression missing.</source> <target state="translated">Falta la expresión de subíndice de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithDefault2"> <source>'{0}' cannot override '{1}' because they differ by the default values of optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los valores predeterminados de los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithOptional2"> <source>'{0}' cannot override '{1}' because they differ by optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_FieldOfValueFieldOfMarshalByRef3"> <source>Cannot refer to '{0}' because it is a member of the value-typed field '{1}' of class '{2}' which has 'System.MarshalByRefObject' as a base class.</source> <target state="translated">No se puede hacer referencia a '{0}' porque es un miembro del campo de tipo de valor '{1}' de la clase '{2}', que tiene 'System.MarshalByRefObject' como clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeMismatch2"> <source>Value of type '{0}' cannot be converted to '{1}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseAfterCaseElse"> <source>'Case' cannot follow a 'Case Else' in the same 'Select' statement.</source> <target state="translated">'Case' no puede seguir a 'Case Else' en la misma instrucción 'Select'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertArrayMismatch4"> <source>Value of type '{0}' cannot be converted to '{1}' because '{2}' is not derived from '{3}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque '{2}' no se deriva de '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertObjectArrayMismatch3"> <source>Value of type '{0}' cannot be converted to '{1}' because '{2}' is not a reference type.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque '{2}' no es un tipo de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_ForLoopType1"> <source>'For' loop control variable cannot be of type '{0}' because the type does not support the required operators.</source> <target state="translated">'La variable de control del bucle 'For' no puede ser de tipo '{0}' porque el tipo no admite los operadores requeridos</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithByref2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by parameters declared 'ByRef' or 'ByVal'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros declarados como 'ByRef' o 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromNonInterface"> <source>Interface can inherit only from another interface.</source> <target state="translated">Una interfaz solo puede heredarse de otra interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceOrderOnInherits"> <source>'Inherits' statements must precede all declarations in an interface.</source> <target state="translated">'Las instrucciones 'Inherits' deben preceder a todas las declaraciones de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateDefaultProps1"> <source>'Default' can be applied to only one property name in a {0}.</source> <target state="translated">'Default' solo se puede aplicar a un nombre de propiedad en un {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultMissingFromProperty2"> <source>'{0}' and '{1}' cannot overload each other because only one is declared 'Default'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro debido a que solo uno está marcado como 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridingPropertyKind2"> <source>'{0}' cannot override '{1}' because they differ by 'ReadOnly' or 'WriteOnly'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en 'ReadOnly' o 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewInInterface"> <source>'Sub New' cannot be declared in an interface.</source> <target state="translated">'Sub New' no se puede declarar en una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnNew1"> <source>'Sub New' cannot be declared '{0}'.</source> <target state="translated">'Sub New' no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadingPropertyKind2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by 'ReadOnly' or 'WriteOnly'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro debido a que solo se diferencian en 'ReadOnly' o 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoDefaultNotExtend1"> <source>Class '{0}' cannot be indexed because it has no default property.</source> <target state="translated">La clase '{0}' no se puede indizar porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithArrayVsParamArray2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by parameters declared 'ParamArray'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros declarados como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInstanceMemberAccess"> <source>Cannot refer to an instance member of a class from within a shared method or shared member initializer without an explicit instance of the class.</source> <target state="translated">No se puede hacer referencia a un miembro de instancia de una clase desde un método compartido o un inicializador de miembro compartido sin una instancia explícita de la clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRbrace"> <source>'}' expected.</source> <target state="translated">'Se esperaba '}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleAsType1"> <source>Module '{0}' cannot be used as a type.</source> <target state="translated">El módulo '{0}' no se puede usar como tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewIfNullOnNonClass"> <source>'New' cannot be used on an interface.</source> <target state="translated">'New' no se puede usar en una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchAfterFinally"> <source>'Catch' cannot appear after 'Finally' within a 'Try' statement.</source> <target state="translated">'Catch' no puede aparecer después de 'Finally' dentro de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchNoMatchingTry"> <source>'Catch' cannot appear outside a 'Try' statement.</source> <target state="translated">'Catch' no puede aparecer fuera de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_FinallyAfterFinally"> <source>'Finally' can only appear once in a 'Try' statement.</source> <target state="translated">'Finally' solo puede aparecer una vez en una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_FinallyNoMatchingTry"> <source>'Finally' cannot appear outside a 'Try' statement.</source> <target state="translated">'Finally' no puede aparecer fuera de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndTryNoTry"> <source>'End Try' must be preceded by a matching 'Try'.</source> <target state="translated">'End Try' debe ir precedida de la instrucción 'Try' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndTry"> <source>'Try' must end with a matching 'End Try'.</source> <target state="translated">'Try' debe terminar con la instrucción 'End Try' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDelegateFlags1"> <source>'{0}' is not valid on a Delegate declaration.</source> <target state="translated">'{0}' no es válido en una declaración de delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_NoConstructorOnBase2"> <source>Class '{0}' must declare a 'Sub New' because its base class '{1}' does not have an accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La clase '{0}' debe declarar un 'Sub New' porque su clase base '{1}' no dispone de un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleSymbol2"> <source>'{0}' is not accessible in this context because it is '{1}'.</source> <target state="translated">'No se puede obtener acceso a '{0}' en este contexto porque es '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleMember3"> <source>'{0}.{1}' is not accessible in this context because it is '{2}'.</source> <target state="translated">'No se puede obtener acceso a '{0}.{1}' en este contexto porque es '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchNotException1"> <source>'Catch' cannot catch type '{0}' because it is not 'System.Exception' or a class that inherits from 'System.Exception'.</source> <target state="translated">'Catch' no puede reconocer el tipo '{0}' debido a que no es 'System.Exception' ni una clase que herede de 'System.Exception'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitTryNotWithinTry"> <source>'Exit Try' can only appear inside a 'Try' statement.</source> <target state="translated">'Exit Try' solo puede aparecer dentro de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadRecordFlags1"> <source>'{0}' is not valid on a Structure declaration.</source> <target state="translated">'{0}' no es válido en una declaración Structure.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEnumFlags1"> <source>'{0}' is not valid on an Enum declaration.</source> <target state="translated">“{0}” no es válido en una declaración de enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceFlags1"> <source>'{0}' is not valid on an Interface declaration.</source> <target state="translated">'{0}' no es válido en una declaración Interface.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithByref2"> <source>'{0}' cannot override '{1}' because they differ by a parameter that is marked as 'ByRef' versus 'ByVal'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en un parámetro que está marcado como 'ByRef' frente a 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_MyBaseAbstractCall1"> <source>'MyBase' cannot be used with method '{0}' because it is declared 'MustOverride'.</source> <target state="translated">'MyBase' no se puede usar con el método '{0}' porque está declarado como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_IdentNotMemberOfInterface4"> <source>'{0}' cannot implement '{1}' because there is no matching {2} on interface '{3}'.</source> <target state="translated">'{0}' no puede implementar '{1}' porque no existe su '{2}' correspondiente en la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementingInterfaceWithDifferentTupleNames5"> <source>'{0}' cannot implement {1} '{2}' on interface '{3}' because the tuple element names in '{4}' do not match those in '{5}'.</source> <target state="translated">'{0}' no puede implementar {1} '{2}' en la interfaz '{3}' porque los nombres de elementos de tupla de '{4}' no coinciden con los de '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_WithEventsRequiresClass"> <source>'WithEvents' variables must have an 'As' clause.</source> <target state="translated">'Las variables 'WithEvents' deben tener una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_WithEventsAsStruct"> <source>'WithEvents' variables can only be typed as classes, interfaces or type parameters with class constraints.</source> <target state="translated">'Las variables 'WithEvents' solo se pueden escribir como clases, interfaces o parámetros de tipo con restricciones de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertArrayRankMismatch2"> <source>Value of type '{0}' cannot be converted to '{1}' because the array types have different numbers of dimensions.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque los tipos de matriz tienen un número diferente de dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_RedimRankMismatch"> <source>'ReDim' cannot change the number of dimensions of an array.</source> <target state="translated">'ReDim' no puede cambiar el número de dimensiones de una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_StartupCodeNotFound1"> <source>'Sub Main' was not found in '{0}'.</source> <target state="translated">'No se encontró 'Sub Main' en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstAsNonConstant"> <source>Constants must be of an intrinsic or enumerated type, not a class, structure, type parameter, or array type.</source> <target state="translated">Las constantes deben ser de tipo intrínseco o enumerado, no pueden ser de tipo clase, estructura, parámetro de tipo ni matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndSub"> <source>'End Sub' must be preceded by a matching 'Sub'.</source> <target state="translated">'End Sub' debe ir precedida de la instrucción 'Sub' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndFunction"> <source>'End Function' must be preceded by a matching 'Function'.</source> <target state="translated">'End Function' debe ir precedida de la instrucción 'Function' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndProperty"> <source>'End Property' must be preceded by a matching 'Property'.</source> <target state="translated">'End Property' debe ir precedida de la instrucción 'Property' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseMethodSpecifier1"> <source>Methods in a Module cannot be declared '{0}'.</source> <target state="translated">Los métodos de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseEventSpecifier1"> <source>Events in a Module cannot be declared '{0}'.</source> <target state="translated">Los eventos de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantUseVarSpecifier1"> <source>Members in a Structure cannot be declared '{0}'.</source> <target state="translated">Los miembros de una estructura no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOverrideDueToReturn2"> <source>'{0}' cannot override '{1}' because they differ by their return types.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en sus tipos de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidOverrideDueToTupleNames2"> <source>'{0}' cannot override '{1}' because they differ by their tuple element names.</source> <target state="translated">'{0}' no puede reemplazar a '{1}' porque tienen nombres de elementos de tupla diferentes.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidOverrideDueToTupleNames2_Title"> <source>Member cannot override because it differs by its tuple element names.</source> <target state="translated">El miembro no se puede invalidar porque tiene nombres de elementos de tupla diferentes.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstantWithNoValue"> <source>Constants must have a value.</source> <target state="translated">Las constantes deben tener un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionOverflow1"> <source>Constant expression not representable in type '{0}'.</source> <target state="translated">La expresión constante no se puede representar en el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePropertyGet"> <source>'Get' is already declared.</source> <target state="translated">'Get' está ya declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePropertySet"> <source>'Set' is already declared.</source> <target state="translated">'Set' está ya declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotDeclared1"> <source>'{0}' is not declared. It may be inaccessible due to its protection level.</source> <target state="translated">'{0}' no está declarado. Puede que sea inaccesible debido a su nivel de protección.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryOperands3"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'.</source> <target state="translated">El operador '{0}' no está definido por los tipos '{1}' y '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedProcedure"> <source>Expression is not a method.</source> <target state="translated">La expresión no es un método.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument2"> <source>Argument not specified for parameter '{0}' of '{1}'.</source> <target state="translated">No se especificó un argumento para el parámetro '{0}' de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotMember2"> <source>'{0}' is not a member of '{1}'.</source> <target state="translated">'{0}' no es un miembro de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndClassNoClass"> <source>'End Class' must be preceded by a matching 'Class'.</source> <target state="translated">'End Class' debe ir precedida de una instrucción 'Class' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadClassFlags1"> <source>Classes cannot be declared '{0}'.</source> <target state="translated">Las clases no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImportsMustBeFirst"> <source>'Imports' statements must precede any declarations.</source> <target state="translated">'Las instrucciones 'Imports' deben preceder a las declaraciones.</target> <note /> </trans-unit> <trans-unit id="ERR_NonNamespaceOrClassOnImport2"> <source>'{1}' for the Imports '{0}' does not refer to a Namespace, Class, Structure, Enum or Module.</source> <target state="translated">'{1}' para la instrucción Imports '{0}' no hace referencia a un espacio de nombres, una clase, una estructura, una enumeración ni un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypecharNotallowed"> <source>Type declaration characters are not valid in this context.</source> <target state="translated">Los caracteres de declaración de tipos no son válidos en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ObjectReferenceNotSupplied"> <source>Reference to a non-shared member requires an object reference.</source> <target state="translated">La referencia a un miembro no compartido requiere una referencia de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_MyClassNotInClass"> <source>'MyClass' cannot be used outside of a class.</source> <target state="translated">'MyClass' no se puede usar fuera de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_IndexedNotArrayOrProc"> <source>Expression is not an array or a method, and cannot have an argument list.</source> <target state="translated">La expresión no es una matriz ni un método y no puede tener una lista de argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_EventSourceIsArray"> <source>'WithEvents' variables cannot be typed as arrays.</source> <target state="translated">'Las variables 'WithEvents' no se pueden escribir como matrices.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedConstructorWithParams"> <source>Shared 'Sub New' cannot have any parameters.</source> <target state="translated">El constructor 'Sub New' compartido no puede tener ningún parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedConstructorIllegalSpec1"> <source>Shared 'Sub New' cannot be declared '{0}'.</source> <target state="translated">El 'Sub New' compartido no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndClass"> <source>'Class' statement must end with a matching 'End Class'.</source> <target state="translated">'La instrucción 'Class' debe terminar con la instrucción 'End Class' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_UnaryOperand2"> <source>Operator '{0}' is not defined for type '{1}'.</source> <target state="translated">El operador '{0}' no está definido para el tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsWithDefault1"> <source>'Default' cannot be combined with '{0}'.</source> <target state="translated">'Default' no se puede combinar con '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VoidValue"> <source>Expression does not produce a value.</source> <target state="translated">La expresión no genera un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorFunction"> <source>Constructor must be declared as a Sub, not as a Function.</source> <target state="translated">El constructor debe declararse como Sub y no como Function.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidLiteralExponent"> <source>Exponent is not valid.</source> <target state="translated">El exponente no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_NewCannotHandleEvents"> <source>'Sub New' cannot handle events.</source> <target state="translated">'Sub New' no puede administrar eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularEvaluation1"> <source>Constant '{0}' cannot depend on its own value.</source> <target state="translated">La constante '{0}' no puede depender de su propio valor.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnSharedMeth1"> <source>'Shared' cannot be combined with '{0}' on a method declaration.</source> <target state="translated">'Shared' no se puede combinar con '{0}' en una declaración de método.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnSharedProperty1"> <source>'Shared' cannot be combined with '{0}' on a property declaration.</source> <target state="translated">'Shared' no se puede combinar con '{0}' en una declaración de propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnStdModuleProperty1"> <source>Properties in a Module cannot be declared '{0}'.</source> <target state="translated">Las propiedades de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedOnProcThatImpl"> <source>Methods or events that implement interface members cannot be declared 'Shared'.</source> <target state="translated">Los métodos o eventos que implementan miembros de interfaz no se pueden declarar como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoWithEventsVarOnHandlesList"> <source>Handles clause requires a WithEvents variable defined in the containing type or one of its base types.</source> <target state="translated">La cláusula Handles requiere una variable WithEvents definida en el tipo contenedor o en uno de sus tipos base.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceAccessMismatch5"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of the base {1} to {3} '{4}'.</source> <target state="translated">'{0}' no puede heredar de {1} '{2}' porque expande el acceso de la base {1} a {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NarrowingConversionDisallowed2"> <source>Option Strict On disallows implicit conversions from '{0}' to '{1}'.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoArgumentCountOverloadCandidates1"> <source>Overload resolution failed because no accessible '{0}' accepts this number of arguments.</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso acepta este número de argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoViableOverloadCandidates1"> <source>Overload resolution failed because no '{0}' is accessible.</source> <target state="translated">Error de resolución de sobrecarga porque no se tiene acceso a ninguna función '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoCallableOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called with these arguments:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ninguna de las funciones '{0}' a las que se tiene acceso con estos argumentos:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ningún '{0}' accesible: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonNarrowingOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called without a narrowing conversion:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ninguna de las funciones '{0}' a las que se tiene acceso sin una conversión de restricción:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentNarrowing3"> <source>Argument matching parameter '{0}' narrows from '{1}' to '{2}'.</source> <target state="translated">El parámetro '{0}' correspondiente al argumento se reduce de '{1}' a '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoMostSpecificOverload2"> <source>Overload resolution failed because no accessible '{0}' is most specific for these arguments:{1}</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso es más específica para estos argumentos:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_NotMostSpecificOverload"> <source>Not most specific.</source> <target state="translated">No es la más específica.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadCandidate2"> <source> '{0}': {1}</source> <target state="translated"> '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_NoGetProperty1"> <source>Property '{0}' is 'WriteOnly'.</source> <target state="translated">La propiedad '{0}' es 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSetProperty1"> <source>Property '{0}' is 'ReadOnly'.</source> <target state="translated">La propiedad '{0}' es 'ReadOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamTypingInconsistency"> <source>All parameters must be explicitly typed if any of them are explicitly typed.</source> <target state="translated">Todos los parámetros deben tener un tipo explícito si uno de ellos lo tiene.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamNameFunctionNameCollision"> <source>Parameter cannot have the same name as its defining function.</source> <target state="translated">El parámetro no puede tener el mismo nombre que la función que lo define.</target> <note /> </trans-unit> <trans-unit id="ERR_DateToDoubleConversion"> <source>Conversion from 'Date' to 'Double' requires calling the 'Date.ToOADate' method.</source> <target state="translated">La conversión de 'Date' en 'Double' requiere llamar al método 'Date.ToOADate'.</target> <note /> </trans-unit> <trans-unit id="ERR_DoubleToDateConversion"> <source>Conversion from 'Double' to 'Date' requires calling the 'Date.FromOADate' method.</source> <target state="translated">La conversión de 'Double' en 'Date' requiere llamar al método 'Date.FromOADate'.</target> <note /> </trans-unit> <trans-unit id="ERR_ZeroDivide"> <source>Division by zero occurred while evaluating this expression.</source> <target state="translated">División entre cero al evaluar esta expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TryAndOnErrorDoNotMix"> <source>Method cannot contain both a 'Try' statement and an 'On Error' or 'Resume' statement.</source> <target state="translated">El método no puede contener a la vez una instrucción 'Try' y una instrucción 'On Error' o 'Resume'.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyAccessIgnored"> <source>Property access must assign to the property or use its value.</source> <target state="translated">Debe asignarse un acceso de propiedad a la propiedad o usar su valor.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNoDefault1"> <source>'{0}' cannot be indexed because it has no default property.</source> <target state="translated">'No se puede indizar la clase '{0}' porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyAttribute1"> <source>Attribute '{0}' cannot be applied to an assembly.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidModuleAttribute1"> <source>Attribute '{0}' cannot be applied to a module.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInUnnamedNamespace1"> <source>'{0}' is ambiguous.</source> <target state="translated">'{0}' es ambiguo.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultMemberNotProperty1"> <source>Default member of '{0}' is not a property.</source> <target state="translated">El miembro predeterminado de '{0}' no es una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInNamespace2"> <source>'{0}' is ambiguous in the namespace '{1}'.</source> <target state="translated">'{0}' es ambiguo en el espacio de nombres '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInImports2"> <source>'{0}' is ambiguous, imported from the namespaces or types '{1}'.</source> <target state="translated">'{0}' es ambiguo y se ha importado de los espacios de nombres o tipos '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInModules2"> <source>'{0}' is ambiguous between declarations in Modules '{1}'.</source> <target state="translated">'{0}' es ambiguo entre las declaraciones de los módulos '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInNamespaces2"> <source>'{0}' is ambiguous between declarations in namespaces '{1}'.</source> <target state="translated">'{0}' es ambiguo entre declaraciones en espacios de nombres '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerTooFewDimensions"> <source>Array initializer has too few dimensions.</source> <target state="translated">El inicializador de matriz no tiene suficientes dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerTooManyDimensions"> <source>Array initializer has too many dimensions.</source> <target state="translated">El inicializador de matriz tiene demasiadas dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerTooFewElements1"> <source>Array initializer is missing {0} elements.</source> <target state="translated">Al inicializador de matriz le faltan {0} elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerTooManyElements1"> <source>Array initializer has {0} too many elements.</source> <target state="translated">El inicializador de matriz tiene demasiados elementos {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_NewOnAbstractClass"> <source>'New' cannot be used on a class that is declared 'MustInherit'.</source> <target state="translated">'New' no se puede usar en una clase declarada como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateNamedImportAlias1"> <source>Alias '{0}' is already declared.</source> <target state="translated">El alias '{0}' ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePrefix"> <source>XML namespace prefix '{0}' is already declared.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsLateBinding"> <source>Option Strict On disallows late binding.</source> <target state="translated">Option Strict On no permite el enlace en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfOperandNotMethod"> <source>'AddressOf' operand must be the name of a method (without parentheses).</source> <target state="translated">'El operando 'AddressOf' debe ser el nombre de un método (sin paréntesis).</target> <note /> </trans-unit> <trans-unit id="ERR_EndExternalSource"> <source>'#End ExternalSource' must be preceded by a matching '#ExternalSource'.</source> <target state="translated">'#End ExternalSource' debe ir precedida de la instrucción '#ExternalSource' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndExternalSource"> <source>'#ExternalSource' statement must end with a matching '#End ExternalSource'.</source> <target state="translated">'La instrucción '#ExternalSource' debe terminar con la instrucción '#End ExternalSource' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedExternalSource"> <source>'#ExternalSource' directives cannot be nested.</source> <target state="translated">'Las directivas '#ExternalSource' no se pueden anidar.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNotDelegate1"> <source>'AddressOf' expression cannot be converted to '{0}' because '{0}' is not a delegate type.</source> <target state="translated">'La expresión 'AddressOf' no se puede convertir en '{0}' porque '{0}' no es un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_SyncLockRequiresReferenceType1"> <source>'SyncLock' operand cannot be of type '{0}' because '{0}' is not a reference type.</source> <target state="translated">'El operando de 'SyncLock' no puede ser del tipo '{0}' porque '{0}' no es un tipo de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodAlreadyImplemented2"> <source>'{0}.{1}' cannot be implemented more than once.</source> <target state="translated">'{0}.{1}' no se puede implementar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateInInherits1"> <source>'{0}' cannot be inherited more than once.</source> <target state="translated">'{0}' no se puede heredar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamArrayArgument"> <source>Named argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento con nombre no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedParamArrayArgument"> <source>Omitted argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento omitido no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayArgumentMismatch"> <source>Argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_EventNotFound1"> <source>Event '{0}' cannot be found.</source> <target state="translated">No se encuentra el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseVariableSpecifier1"> <source>Variables in Modules cannot be declared '{0}'.</source> <target state="translated">Las variables de los módulos no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedEventNeedsSharedHandler"> <source>Events of shared WithEvents variables cannot be handled by non-shared methods.</source> <target state="translated">Los métodos no compartidos no pueden controlar los eventos de variables WithEvents compartidas.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedMinus"> <source>'-' expected.</source> <target state="translated">'Se esperaba '-'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceMemberSyntax"> <source>Interface members must be methods, properties, events, or type definitions.</source> <target state="translated">Los miembros de interfaz deben ser métodos, propiedades, eventos o definiciones de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideInterface"> <source>Statement cannot appear within an interface body.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsInterface"> <source>Statement cannot appear within an interface body. End of interface assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una interfaz. Se supone el final de la interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsInNotInheritableClass1"> <source>'NotInheritable' classes cannot have members declared '{0}'.</source> <target state="translated">'Las clases 'NotInheritable' no pueden tener miembros declarados como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseOnlyClassesMustBeExplicit2"> <source>Class '{0}' must either be declared 'MustInherit' or override the following inherited 'MustOverride' member(s): {1}.</source> <target state="translated">La clase '{0}' debe declararse como 'MustInherit' o invalidar los siguientes miembros 'MustOverride' heredados: {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_MustInheritEventNotOverridden"> <source>'{0}' is a MustOverride event in the base class '{1}'. Visual Basic does not support event overriding. You must either provide an implementation for the event in the base class, or make class '{2}' MustInherit.</source> <target state="translated">'{0}' es un evento MustOverride en la clase base '{1}'. Visual Basic no admite la invalidación de eventos. Proporcione una implementación para el evento en la clase base o convierta la clase '{2}' en MustInherit.</target> <note /> </trans-unit> <trans-unit id="ERR_NegativeArraySize"> <source>Array dimensions cannot have a negative size.</source> <target state="translated">Las dimensiones de matriz no pueden tener un tamaño negativo.</target> <note /> </trans-unit> <trans-unit id="ERR_MyClassAbstractCall1"> <source>'MustOverride' method '{0}' cannot be called with 'MyClass'.</source> <target state="translated">'No se puede llamar al método 'MustOverride' '{0}' con 'MyClass'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndDisallowedInDllProjects"> <source>'End' statement cannot be used in class library projects.</source> <target state="translated">'La instrucción 'End' no se puede usar en proyectos de biblioteca de clases.</target> <note /> </trans-unit> <trans-unit id="ERR_BlockLocalShadowing1"> <source>Variable '{0}' hides a variable in an enclosing block.</source> <target state="translated">La variable '{0}' oculta una variable en un bloque de inclusión.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleNotAtNamespace"> <source>'Module' statements can occur only at file or namespace level.</source> <target state="translated">'Las instrucciones 'Module' solo pueden ocurrir en el nivel de archivo o de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotAtNamespace"> <source>'Namespace' statements can occur only at file or namespace level.</source> <target state="translated">'Las instrucciones 'Namespace' solo pueden ocurrir en el nivel de archivo o de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEnum"> <source>Statement cannot appear within an Enum body.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsEnum"> <source>Statement cannot appear within an Enum body. End of Enum assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una enumeración. Se supone el final de la enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionStrict"> <source>'Option Strict' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Strict' solo puede ir seguida de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndStructureNoStructure"> <source>'End Structure' must be preceded by a matching 'Structure'.</source> <target state="translated">'End Structure' debe ir precedida de la instrucción 'Structure' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndModuleNoModule"> <source>'End Module' must be preceded by a matching 'Module'.</source> <target state="translated">'End Module' debe ir precedida de la instrucción 'Module' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndNamespaceNoNamespace"> <source>'End Namespace' must be preceded by a matching 'Namespace'.</source> <target state="translated">'End Namespace' debe ir precedida de la instrucción 'Namespace' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndStructure"> <source>'Structure' statement must end with a matching 'End Structure'.</source> <target state="translated">'La instrucción 'Structure' debe terminar con la instrucción 'End Structure' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndModule"> <source>'Module' statement must end with a matching 'End Module'.</source> <target state="translated">'La instrucción 'Module' debe terminar con la instrucción 'End Module' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndNamespace"> <source>'Namespace' statement must end with a matching 'End Namespace'.</source> <target state="translated">'La instrucción 'Namespace' debe terminar con la instrucción 'End Namespace' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionStmtWrongOrder"> <source>'Option' statements must precede any declarations or 'Imports' statements.</source> <target state="translated">'Las instrucciones 'Option' deben preceder a las declaraciones o instrucciones 'Imports'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantInherit"> <source>Structures cannot have 'Inherits' statements.</source> <target state="translated">Las estructuras no pueden tener instrucciones 'Inherits'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewInStruct"> <source>Structures cannot declare a non-shared 'Sub New' with no parameters.</source> <target state="translated">Las estructuras no pueden declarar un elemento 'Sub New' no compartido sin parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndGet"> <source>'End Get' must be preceded by a matching 'Get'.</source> <target state="translated">'End Get' debe ir precedida de la instrucción 'Get' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndGet"> <source>'Get' statement must end with a matching 'End Get'.</source> <target state="translated">'La instrucción 'Get' debe terminar con la instrucción 'End Get' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndSet"> <source>'End Set' must be preceded by a matching 'Set'.</source> <target state="translated">'End Set' debe ir precedida de la instrucción 'Set' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndSet"> <source>'Set' statement must end with a matching 'End Set'.</source> <target state="translated">'La instrucción 'Set' debe terminar con la instrucción 'End Set' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsProperty"> <source>Statement cannot appear within a property body. End of property assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una propiedad. Se supone el final de la propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateWriteabilityCategoryUsed"> <source>'ReadOnly' and 'WriteOnly' cannot be combined.</source> <target state="translated">'ReadOnly' y 'WriteOnly' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedGreater"> <source>'&gt;' expected.</source> <target state="translated">'Se esperaba '&gt;'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeStmtWrongOrder"> <source>Assembly or Module attribute statements must precede any declarations in a file.</source> <target state="translated">Las instrucciones de atributo de ensamblado o módulo deben preceder a cualquier declaración en un archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_NoExplicitArraySizes"> <source>Array bounds cannot appear in type specifiers.</source> <target state="translated">Los límites de matriz no pueden aparecer en los especificadores de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyFlags1"> <source>Properties cannot be declared '{0}'.</source> <target state="translated">Las propiedades no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionExplicit"> <source>'Option Explicit' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Explicit' solo puede ir seguida de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleParameterSpecifiers"> <source>'ByVal' and 'ByRef' cannot be combined.</source> <target state="translated">'ByVal' y 'ByRef' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleOptionalParameterSpecifiers"> <source>'Optional' and 'ParamArray' cannot be combined.</source> <target state="translated">'Optional' y 'ParamArray' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedProperty1"> <source>Property '{0}' is of an unsupported type.</source> <target state="translated">La propiedad '{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionalParameterUsage1"> <source>Attribute '{0}' cannot be applied to a method with optional parameters.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un método con parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnFromNonFunction"> <source>'Return' statement in a Sub or a Set cannot return a value.</source> <target state="translated">'Una instrucción 'Return' en Sub o Set no puede devolver un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_UnterminatedStringLiteral"> <source>String constants must end with a double quote.</source> <target state="translated">Las constantes de cadena deben terminar con comillas dobles.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedType1"> <source>'{0}' is an unsupported type.</source> <target state="translated">'{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEnumBase"> <source>Enums must be declared as an integral type.</source> <target state="translated">Las enumeraciones se deben declarar como un tipo entero.</target> <note /> </trans-unit> <trans-unit id="ERR_ByRefIllegal1"> <source>{0} parameters cannot be declared 'ByRef'.</source> <target state="translated">Los parámetros {0} no se pueden declarar como 'ByRef'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedAssembly3"> <source>Reference required to assembly '{0}' containing the type '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al ensamblado '{0}' que contiene el tipo '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedModule3"> <source>Reference required to module '{0}' containing the type '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al módulo '{0}' que contiene el tipo '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnWithoutValue"> <source>'Return' statement in a Function, Get, or Operator must return a value.</source> <target state="translated">'Una instrucción 'Return' en Function, Get u Operator debe devolver un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedField1"> <source>Field '{0}' is of an unsupported type.</source> <target state="translated">El campo '{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedMethod1"> <source>'{0}' has a return type that is not supported or parameter types that are not supported.</source> <target state="translated">'El tipo de valor devuelto o los tipos de parámetros de '{0}' no se admiten.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonIndexProperty1"> <source>Property '{0}' with no parameters cannot be found.</source> <target state="translated">No se encuentra la propiedad '{0}' sin parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributePropertyType1"> <source>Property or field '{0}' does not have a valid attribute type.</source> <target state="translated">La propiedad o el campo '{0}' no tienen un tipo de atributo válido.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalsCannotHaveAttributes"> <source>Attributes cannot be applied to local variables.</source> <target state="translated">No se pueden aplicar atributos a las variables locales.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyOrFieldNotDefined1"> <source>Field or property '{0}' is not found.</source> <target state="translated">Campo o propiedad '{0}' no encontrados.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeUsage2"> <source>Attribute '{0}' cannot be applied to '{1}' because the attribute is not valid on this declaration type.</source> <target state="translated">El atributo '{0}' no se puede aplicar a '{1}' porque el atributo no es válido en este tipo de declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeUsageOnAccessor"> <source>Attribute '{0}' cannot be applied to '{1}' of '{2}' because the attribute is not valid on this declaration type.</source> <target state="translated">El atributo '{0}' no se puede aplicar a '{1}' de '{2}' porque el atributo no es válido en este tipo de declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedTypeInInheritsClause2"> <source>Class '{0}' cannot reference its nested type '{1}' in Inherits clause.</source> <target state="translated">La clase '{0}' no puede hacer referencia a su tipo anidado '{1}' en la cláusula Inherits.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInItsInheritsClause1"> <source>Class '{0}' cannot reference itself in Inherits clause.</source> <target state="translated">La clase '{0}' no puede hacer referencia a sí misma en la cláusula Inherits.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseTypeReferences2"> <source> Base type of '{0}' needs '{1}' to be resolved.</source> <target state="translated"> El tipo base de '{0}' necesita que se resuelva '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalBaseTypeReferences3"> <source>Inherits clause of {0} '{1}' causes cyclic dependency: {2}</source> <target state="translated">La cláusula Inherits de {0} '{1}' provoca dependencia cíclica: {2}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMultipleAttributeUsage1"> <source>Attribute '{0}' cannot be applied multiple times.</source> <target state="translated">El atributo '{0}' no se puede aplicar varias veces.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMultipleAttributeUsageInNetModule2"> <source>Attribute '{0}' in '{1}' cannot be applied multiple times.</source> <target state="translated">El atributo '{0}' de '{1}' no se puede aplicar varias veces.</target> <note /> </trans-unit> <trans-unit id="ERR_CantThrowNonException"> <source>'Throw' operand must derive from 'System.Exception'.</source> <target state="translated">'El operando 'Throw' debe derivarse de 'System.Exception'.</target> <note /> </trans-unit> <trans-unit id="ERR_MustBeInCatchToRethrow"> <source>'Throw' statement cannot omit operand outside a 'Catch' statement or inside a 'Finally' statement.</source> <target state="translated">'La instrucción 'Throw' no puede omitir el operando fuera de una instrucción 'Catch' ni dentro de una instrucción 'Finally'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayMustBeByVal"> <source>ParamArray parameters must be declared 'ByVal'.</source> <target state="translated">Los parámetros ParamArray se deben declarar como 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoleteSymbol2"> <source>'{0}' is obsolete: '{1}'.</source> <target state="translated">'{0}' está obsoleto: '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RedimNoSizes"> <source>'ReDim' statements require a parenthesized list of the new bounds of each dimension of the array.</source> <target state="translated">'Las instrucciones 'ReDim' requieren una lista entre paréntesis de los nuevos límites de cada una de las dimensiones de la matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_InitWithMultipleDeclarators"> <source>Explicit initialization is not permitted with multiple variables declared with a single type specifier.</source> <target state="translated">No se permite la inicialización explícita con varias variables declaradas con un solo especificador de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InitWithExplicitArraySizes"> <source>Explicit initialization is not permitted for arrays declared with explicit bounds.</source> <target state="translated">No se permite la inicialización explícita para matrices declaradas con límites explícitos.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSyncLockNoSyncLock"> <source>'End SyncLock' must be preceded by a matching 'SyncLock'.</source> <target state="translated">'End SyncLock' debe ir precedida de la instrucción 'SyncLock' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndSyncLock"> <source>'SyncLock' statement must end with a matching 'End SyncLock'.</source> <target state="translated">'La instrucción 'SyncLock' debe terminar con la instrucción 'End SyncLock' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotEvent2"> <source>'{0}' is not an event of '{1}'.</source> <target state="translated">'{0}' no es un evento de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddOrRemoveHandlerEvent"> <source>'AddHandler' or 'RemoveHandler' statement event operand must be a dot-qualified expression or a simple name.</source> <target state="translated">'El operando de eventos de la instrucción 'AddHandler' o 'RemoveHandler' debe ser una expresión calificada por puntos o un nombre simple.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedEnd"> <source>'End' statement not valid.</source> <target state="translated">'Instrucción 'End' no válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitForNonArray2"> <source>Array initializers are valid only for arrays, but the type of '{0}' is '{1}'.</source> <target state="translated">Los inicializadores de matrices solo son válidos para las matrices, pero el tipo de '{0}' es '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndRegionNoRegion"> <source>'#End Region' must be preceded by a matching '#Region'.</source> <target state="translated">'#End Region' debe ir precedida de la instrucción '#Region' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndRegion"> <source>'#Region' statement must end with a matching '#End Region'.</source> <target state="translated">'La instrucción '#Region' debe terminar con la instrucción '#End Region' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsStmtWrongOrder"> <source>'Inherits' statement must precede all declarations in a class.</source> <target state="translated">'La instrucción 'Inherits' debe preceder a todas las declaraciones de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousAcrossInterfaces3"> <source>'{0}' is ambiguous across the inherited interfaces '{1}' and '{2}'.</source> <target state="translated">'{0}' es ambiguo en las interfaces heredadas '{1}' y '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultPropertyAmbiguousAcrossInterfaces4"> <source>Default property access is ambiguous between the inherited interface members '{0}' of interface '{1}' and '{2}' of interface '{3}'.</source> <target state="translated">Hay un acceso de propiedad predeterminado ambiguo entre los miembros de interfaz heredados '{0}' de la interfaz '{1}' y '{2}' de la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceEventCantUse1"> <source>Events in interfaces cannot be declared '{0}'.</source> <target state="translated">Los eventos de las interfaces no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExecutableAsDeclaration"> <source>Statement cannot appear outside of a method body.</source> <target state="translated">La instrucción no puede aparecer fuera de un cuerpo de método.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureNoDefault1"> <source>Structure '{0}' cannot be indexed because it has no default property.</source> <target state="translated">No se puede indizar la estructura '{0}' porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_MustShadow2"> <source>{0} '{1}' must be declared 'Shadows' because another member with this name is declared 'Shadows'.</source> <target state="translated">{0} '{1}' se debe declarar como 'Shadows' porque otro miembro con este nombre está declarado como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithOptionalTypes2"> <source>'{0}' cannot override '{1}' because they differ by the types of optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los tipos de parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndOfExpression"> <source>End of expression expected.</source> <target state="translated">Se esperaba el fin de una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_StructsCannotHandleEvents"> <source>Methods declared in structures cannot have 'Handles' clauses.</source> <target state="translated">Los métodos declarados en estructuras no pueden tener cláusulas 'Handles'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridesImpliesOverridable"> <source>Methods declared 'Overrides' cannot be declared 'Overridable' because they are implicitly overridable.</source> <target state="translated">Los métodos declarados 'Overrides' no se pueden declarar 'Overridable' porque se pueden invalidar implícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalNamedSameAsParam1"> <source>'{0}' is already declared as a parameter of this method.</source> <target state="translated">'{0}' ya se declaró como parámetro de este método.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalNamedSameAsParamInLambda1"> <source>Variable '{0}' is already declared as a parameter of this or an enclosing lambda expression.</source> <target state="translated">La variable '{0}' ya está declarada como un parámetro de esta o de una expresión lambda envolvente.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseTypeSpecifier1"> <source>Type in a Module cannot be declared '{0}'.</source> <target state="translated">Un tipo de un módulo no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InValidSubMainsFound1"> <source>No accessible 'Main' method with an appropriate signature was found in '{0}'.</source> <target state="translated">No se encontró ningún método 'Main' accesible con una firma apropiada en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MoreThanOneValidMainWasFound2"> <source>'Sub Main' is declared more than once in '{0}': {1}</source> <target state="translated">'Sub Main' se declaró más de una vez en '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_CannotConvertValue2"> <source>Value '{0}' cannot be converted to '{1}'.</source> <target state="translated">El valor '{0}' no se puede convertir en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnErrorInSyncLock"> <source>'On Error' statements are not valid within 'SyncLock' statements.</source> <target state="translated">'Las instrucciones 'On Error' no son válidas dentro de instrucciones 'SyncLock'.</target> <note /> </trans-unit> <trans-unit id="ERR_NarrowingConversionCollection2"> <source>Option Strict On disallows implicit conversions from '{0}' to '{1}'; the Visual Basic 6.0 collection type is not compatible with the .NET Framework collection type.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}'; el tipo de colección de Visual Basic 6.0 no es compatible con el tipo de colección de .NET Framework.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoTryHandler"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'Try', 'Catch' or 'Finally' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'Try', 'Catch' o 'Finally' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoSyncLock"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'SyncLock' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'SyncLock' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoWith"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'With' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'With' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoFor"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'For' or 'For Each' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'For' o 'For Each' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicConstructor"> <source>Attribute cannot be used because it does not have a Public constructor.</source> <target state="translated">No se puede usar el atributo porque no tiene un constructor Public.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultEventNotFound1"> <source>Event '{0}' specified by the 'DefaultEvent' attribute is not a publicly accessible event for this class.</source> <target state="translated">El evento '{0}' especificado por el atributo 'DefaultEvent' no es un evento accesible públicamente para esta clase.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNonSerializedUsage"> <source>'NonSerialized' attribute will not have any effect on this member because its containing class is not exposed as 'Serializable'.</source> <target state="translated">'El atributo 'NonSerialized' no tendrá ningún efecto en este miembro porque su clase contenedora no está expuesta como 'Serializable'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedContinueKind"> <source>'Continue' must be followed by 'Do', 'For' or 'While'.</source> <target state="translated">'Continue' debe ir seguida de 'Do', 'For' o 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueDoNotWithinDo"> <source>'Continue Do' can only appear inside a 'Do' statement.</source> <target state="translated">'Continue Do' únicamente puede aparecer dentro de una instrucción 'Do'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueForNotWithinFor"> <source>'Continue For' can only appear inside a 'For' statement.</source> <target state="translated">'Continue For' solo puede aparecer dentro de una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueWhileNotWithinWhile"> <source>'Continue While' can only appear inside a 'While' statement.</source> <target state="translated">'Continue While' solo puede aparecer dentro de una instrucción 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateParameterSpecifier"> <source>Parameter specifier is duplicated.</source> <target state="translated">El especificador del parámetro está duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseDLLDeclareSpecifier1"> <source>'Declare' statements in a Module cannot be declared '{0}'.</source> <target state="translated">'Las instrucciones 'Declare' de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantUseDLLDeclareSpecifier1"> <source>'Declare' statements in a structure cannot be declared '{0}'.</source> <target state="translated">'Las instrucciones 'Declare' de una estructura no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TryCastOfValueType1"> <source>'TryCast' operand must be reference type, but '{0}' is a value type.</source> <target state="translated">'El operando 'TryCast' debe ser un tipo de referencia, pero '{0}' es un tipo de valor.</target> <note /> </trans-unit> <trans-unit id="ERR_TryCastOfUnconstrainedTypeParam1"> <source>'TryCast' operands must be class-constrained type parameter, but '{0}' has no class constraint.</source> <target state="translated">'Los operandos 'TryCast' deben ser parámetros de tipo con restricción de clase, pero '{0}' no tiene restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousDelegateBinding2"> <source>No accessible '{0}' is most specific: {1}</source> <target state="translated">'{0}' al que no se puede obtener acceso es más específico: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_SharedStructMemberCannotSpecifyNew"> <source>Non-shared members in a Structure cannot be declared 'New'.</source> <target state="translated">No se pueden declarar como 'New' los miembros no compartidos de una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericSubMainsFound1"> <source>None of the accessible 'Main' methods with the appropriate signatures found in '{0}' can be the startup method since they are all either generic or nested in generic types.</source> <target state="translated">Ninguno de los métodos 'Main' accesibles con las firmas adecuadas encontrados en '{0}' puede ser el método de inicio porque son todos genéricos o están anidados en tipos genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_GeneralProjectImportsError3"> <source>Error in project-level import '{0}' at '{1}' : {2}</source> <target state="translated">Error en la importación de nivel de proyecto '{0}' en '{1}' : {2}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidTypeForAliasesImport2"> <source>'{1}' for the Imports alias to '{0}' does not refer to a Namespace, Class, Structure, Interface, Enum or Module.</source> <target state="translated">'{1}' del alias de Imports para '{0}' no hace referencia a un espacio de nombres, una clase, una estructura, una interfaz, una enumeración ni un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedConstant2"> <source>Field '{0}.{1}' has an invalid constant value.</source> <target state="translated">El campo '{0}.{1}' tiene un valor de constante no válido.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteArgumentsNeedParens"> <source>Method arguments must be enclosed in parentheses.</source> <target state="translated">Los argumentos de método se deben incluir entre paréntesis.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteLineNumbersAreLabels"> <source>Labels that are numbers must be followed by colons.</source> <target state="translated">Las etiquetas que son números deben ir seguidas de dos puntos.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteStructureNotType"> <source>'Type' statements are no longer supported; use 'Structure' statements instead.</source> <target state="translated">'Ya no se admiten las instrucciones 'Type'; use las instrucciones 'Structure' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteObjectNotVariant"> <source>'Variant' is no longer a supported type; use the 'Object' type instead.</source> <target state="translated">'Ya no se admite el tipo 'Variant'; use el tipo 'Object' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteLetSetNotNeeded"> <source>'Let' and 'Set' assignment statements are no longer supported.</source> <target state="translated">'No se admiten instrucciones de asignación 'Let' y 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoletePropertyGetLetSet"> <source>Property Get/Let/Set are no longer supported; use the new Property declaration syntax.</source> <target state="translated">No se admiten las propiedades Get/Let/Set; use la nueva sintaxis de declaración de propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteWhileWend"> <source>'Wend' statements are no longer supported; use 'End While' statements instead.</source> <target state="translated">'Ya no se admiten instrucciones 'Wend'; use instrucciones 'End While' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteRedimAs"> <source>'ReDim' statements can no longer be used to declare array variables.</source> <target state="translated">'Las instrucciones 'ReDim' ya no se pueden usar para declarar variables de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteOptionalWithoutValue"> <source>Optional parameters must specify a default value.</source> <target state="translated">Los parámetros opcionales deben especificar un valor predeterminado.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteGosub"> <source>'GoSub' statements are no longer supported.</source> <target state="translated">'Ya no se admiten instrucciones 'GoSub'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteOnGotoGosub"> <source>'On GoTo' and 'On GoSub' statements are no longer supported.</source> <target state="translated">'No se admiten las instrucciones 'OnGoTo' ni 'OnGoSub'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteEndIf"> <source>'EndIf' statements are no longer supported; use 'End If' instead.</source> <target state="translated">'Ya no se admiten instrucciones 'EndIf'; use 'End If' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteExponent"> <source>'D' can no longer be used to indicate an exponent, use 'E' instead.</source> <target state="translated">'D' ya no se puede usar para indicar un exponente; use 'E' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteAsAny"> <source>'As Any' is not supported in 'Declare' statements.</source> <target state="translated">'As Any' no se admite en instrucciones 'Declare'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteGetStatement"> <source>'Get' statements are no longer supported. File I/O functionality is available in the 'Microsoft.VisualBasic' namespace.</source> <target state="translated">'Ya no se admiten instrucciones 'Get'. La funcionalidad de E/S de archivo está disponible en el espacio de nombres 'Microsoft.VisualBasic'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithArrayVsParamArray2"> <source>'{0}' cannot override '{1}' because they differ by parameters declared 'ParamArray'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los parámetros declarados como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularBaseDependencies4"> <source>This inheritance causes circular dependencies between {0} '{1}' and its nested or base type '{2}'.</source> <target state="translated">Esta herencia produce dependencias circulares entre {0} '{1}' y su tipo anidado o base '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedBase2"> <source>{0} '{1}' cannot inherit from a type nested within it.</source> <target state="translated">{0} '{1}' no puede heredar de un tipo anidado dentro de él.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchOutsideAssembly4"> <source>'{0}' cannot expose type '{1}' outside the project through {2} '{3}'.</source> <target state="translated">'{0}' no puede exponer el tipo '{1}' fuera del proyecto a través de {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceAccessMismatchOutside3"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of the base {1} outside the assembly.</source> <target state="translated">'{0}' no puede heredar de {1} '{2}' porque expande el acceso de la base {1} fuera del ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoletePropertyAccessor3"> <source>'{0}' accessor of '{1}' is obsolete: '{2}'.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto: '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoletePropertyAccessor2"> <source>'{0}' accessor of '{1}' is obsolete.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchImplementedEvent6"> <source>'{0}' cannot expose the underlying delegate type '{1}' of the event it is implementing to {2} '{3}' through {4} '{5}'.</source> <target state="translated">'{0}' no puede exponer el tipo delegado subyacente '{1}' del evento que se implementa en {2} '{3}' a través de {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchImplementedEvent4"> <source>'{0}' cannot expose the underlying delegate type '{1}' of the event it is implementing outside the project through {2} '{3}'.</source> <target state="translated">'{0}' no puede exponer el tipo delegado subyacente '{1}' del evento que se implementa fuera del proyecto a través de {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceCycleInImportedType1"> <source>Type '{0}' is not supported because it either directly or indirectly inherits from itself.</source> <target state="translated">El tipo '{0}' no es compatible porque hereda directa o indirectamente de sí mismo.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonObsoleteConstructorOnBase3"> <source>Class '{0}' must declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonObsoleteConstructorOnBase4"> <source>Class '{0}' must declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNonObsoleteNewCall3"> <source>First statement of this 'Sub New' must be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete.</source> <target state="translated">La primera instrucción de 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque '{0}' en la clase base '{1}' de '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNonObsoleteNewCall4"> <source>First statement of this 'Sub New' must be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La primera instrucción de 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque '{0}' en la clase base '{1}' de '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsTypeArgAccessMismatch7"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of type '{3}' to {4} '{5}'.</source> <target state="translated">'{0}' no puede heredarse de {1} '{2}' porque expande el acceso del tipo '{3}' a {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsTypeArgAccessMismatchOutside5"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of type '{3}' outside the assembly.</source> <target state="translated">'{0}' no puede heredarse de {1} '{2}' porque expande el acceso del tipo '{3}' fuera del ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeAccessMismatch3"> <source>Specified access '{0}' for '{1}' does not match the access '{2}' specified on one of its other partial types.</source> <target state="translated">El acceso especificado '{0}' para '{1}' no coincide con el acceso '{2}' especificado en uno de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeBadMustInherit1"> <source>'MustInherit' cannot be specified for partial type '{0}' because it cannot be combined with 'NotInheritable' specified for one of its other partial types.</source> <target state="translated">'No se puede especificar 'MustInherit' para el tipo parcial '{0}' porque no se puede combinar con 'NotInheritable' especificado para uno de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_MustOverOnNotInheritPartClsMem1"> <source>'MustOverride' cannot be specified on this member because it is in a partial type that is declared 'NotInheritable' in another partial definition.</source> <target state="translated">'MustOverride' no se puede especificar en este miembro porque se encuentra en un tipo parcial que se declaró como 'NotInheritable' en otra definición parcial.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseMismatchForPartialClass3"> <source>Base class '{0}' specified for class '{1}' cannot be different from the base class '{2}' of one of its other partial types.</source> <target state="translated">La clase base '{0}' especificada para la clase '{1}' no puede ser distinta de la clase base '{2}' de otro de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeTypeParamNameMismatch3"> <source>Type parameter name '{0}' does not match the name '{1}' of the corresponding type parameter defined on one of the other partial types of '{2}'.</source> <target state="translated">El nombre de parámetro de tipo '{0}' no coincide con el nombre '{1}' del parámetro de tipo correspondiente definido en uno de los otros tipos parciales de '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeConstraintMismatch1"> <source>Constraints for this type parameter do not match the constraints on the corresponding type parameter defined on one of the other partial types of '{0}'.</source> <target state="translated">Las restricciones de este parámetro de tipo no coinciden con las restricciones del parámetro de tipo correspondiente definido en uno de los otros tipos parciales de '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LateBoundOverloadInterfaceCall1"> <source>Late bound overload resolution cannot be applied to '{0}' because the accessing instance is an interface type.</source> <target state="translated">La resolución de sobrecarga enlazada en tiempo de ejecución no se puede aplicar a '{0}' porque la instancia a la que se obtiene acceso es un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredAttributeConstConversion2"> <source>Conversion from '{0}' to '{1}' cannot occur in a constant expression used as an argument to an attribute.</source> <target state="translated">No se puede realizar una conversión de '{0}' a '{1}' en una expresión constante que se usa como argumento de un atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousOverrides3"> <source>Member '{0}' that matches this signature cannot be overridden because the class '{1}' contains multiple members with this same name and signature: {2}</source> <target state="translated">No se puede invalidar el miembro '{0}' que coincide con esta firma porque la clase {1} contiene varios miembros que tienen un nombre y una firma iguales a estos: {2}</target> <note /> </trans-unit> <trans-unit id="ERR_OverriddenCandidate1"> <source> '{0}'</source> <target state="translated"> '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousImplements3"> <source>Member '{0}.{1}' that matches this signature cannot be implemented because the interface '{2}' contains multiple members with this same name and signature: '{3}' '{4}'</source> <target state="translated">No se puede implementar el miembro '{0}.{1}' que coincide con esta firma porque la interfaz '{2}' contiene varios miembros que tienen un nombre y una firma iguales a estos: '{3}' '{4}'</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNotCreatableDelegate1"> <source>'AddressOf' expression cannot be converted to '{0}' because type '{0}' is declared 'MustInherit' and cannot be created.</source> <target state="translated">'La expresión 'AddressOf' no se puede convertir en '{0}' porque el tipo '{0}' se declaró como 'MustInherit' y no se puede crear.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassGenericMethod"> <source>Generic methods cannot be exposed to COM.</source> <target state="translated">Los métodos genéricos no se pueden exponer a COM.</target> <note /> </trans-unit> <trans-unit id="ERR_SyntaxInCastOp"> <source>Syntax error in cast operator; two arguments separated by comma are required.</source> <target state="translated">Error de sintaxis en el operador de conversión; se necesitan dos argumentos separados por coma.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerForNonConstDim"> <source>Array initializer cannot be specified for a non constant dimension; use the empty initializer '{}'.</source> <target state="translated">No se puede especificar el inicializador de matriz para una dimensión no constante; use el inicializador vacío '{}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingFailure3"> <source>No accessible method '{0}' has a signature compatible with delegate '{1}':{2}</source> <target state="translated">Ningún método accesible '{0}' tiene una firma compatible con el delegado '{1}':{2}</target> <note /> </trans-unit> <trans-unit id="ERR_StructLayoutAttributeNotAllowed"> <source>Attribute 'StructLayout' cannot be applied to a generic type.</source> <target state="translated">No se puede aplicar el atributo 'StructLayout' a un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_IterationVariableShadowLocal1"> <source>Range variable '{0}' hides a variable in an enclosing block or a range variable previously defined in the query expression.</source> <target state="translated">La variable de rango '{0}' oculta una variable en un bloque envolvente o una variable de rango definida previamente en la expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionInfer"> <source>'Option Infer' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Infer' solo puede ir seguido de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularInference1"> <source>Type of '{0}' cannot be inferred from an expression containing '{0}'.</source> <target state="translated">No se puede inferir el tipo de '{0}' a partir de una expresión que contenga '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InAccessibleOverridingMethod5"> <source>'{0}' in class '{1}' cannot override '{2}' in class '{3}' because an intermediate class '{4}' overrides '{2}' in class '{3}' but is not accessible.</source> <target state="translated">'El elemento '{0}' de la clase '{1}' no puede invalidar el elemento '{2}' de la clase '{3}' porque una clase '{4}' intermedia invalida '{2}' en la clase '{3}' pero no es accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSuitableWidestType1"> <source>Type of '{0}' cannot be inferred because the loop bounds and the step clause do not convert to the same type.</source> <target state="translated">No se puede inferir el tipo de '{0}' porque los límites del bucle y la cláusula step no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousWidestType3"> <source>Type of '{0}' is ambiguous because the loop bounds and the step clause do not convert to the same type.</source> <target state="translated">El tipo de '{0}' es ambiguo porque los límites del bucle y la cláusula step no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAssignmentOperatorInInit"> <source>'=' expected (object initializer).</source> <target state="translated">'Se esperaba '=' (inicializador de objeto).</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQualifiedNameInInit"> <source>Name of field or property being initialized in an object initializer must start with '.'.</source> <target state="translated">El nombre de un campo o una propiedad que se va a inicializar en un inicializador de objeto debe comenzar con '.'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLbrace"> <source>'{' expected.</source> <target state="translated">'Se esperaba '{'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedTypeOrWith"> <source>Type or 'With' expected.</source> <target state="translated">Se esperaba un tipo o 'With'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAggrMemberInit1"> <source>Multiple initializations of '{0}'. Fields and properties can be initialized only once in an object initializer expression.</source> <target state="translated">Hay varias inicializaciones de '{0}'. Los campos y las propiedades solo se pueden inicializar una vez en una expresión de inicializador de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NonFieldPropertyAggrMemberInit1"> <source>Member '{0}' cannot be initialized in an object initializer expression because it is not a field or property.</source> <target state="translated">No se puede inicializar el miembro '{0}' en una expresión de inicializador de objeto porque no es un campo ni una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedMemberAggrMemberInit1"> <source>Member '{0}' cannot be initialized in an object initializer expression because it is shared.</source> <target state="translated">No se puede inicializar el miembro '{0}' en una expresión de inicializador de objeto porque está compartido.</target> <note /> </trans-unit> <trans-unit id="ERR_ParameterizedPropertyInAggrInit1"> <source>Property '{0}' cannot be initialized in an object initializer expression because it requires arguments.</source> <target state="translated">No se puede inicializar la propiedad '{0}' en una expresión de inicializador de objeto porque requiere argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoZeroCountArgumentInitCandidates1"> <source>Property '{0}' cannot be initialized in an object initializer expression because all accessible overloads require arguments.</source> <target state="translated">No se puede inicializar la propiedad '{0}' en una expresión de inicializador de objeto porque todas las sobrecargas accesibles requieren argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_AggrInitInvalidForObject"> <source>Object initializer syntax cannot be used to initialize an instance of 'System.Object'.</source> <target state="translated">No se puede usar la sintaxis de inicializador de objetos para inicializar una instancia de 'System.Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerExpected"> <source>Initializer expected.</source> <target state="translated">Se esperaba un inicializador.</target> <note /> </trans-unit> <trans-unit id="ERR_LineContWithCommentOrNoPrecSpace"> <source>The line continuation character '_' must be preceded by at least one white space and it must be followed by a comment or the '_' must be the last character on the line.</source> <target state="translated">El carácter de continuación de línea "_ " debe ir precedido de al menos un espacio en blanco y debe ir seguido de un comentario o " _" debe ser el último carácter de la línea.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleFile1"> <source>Unable to load module file '{0}': {1}</source> <target state="translated">No se puede cargar el archivo de módulo '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadRefLib1"> <source>Unable to load referenced library '{0}': {1}</source> <target state="translated">No se puede cargar la biblioteca '{0}' a la que se hace referencia: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_EventHandlerSignatureIncompatible2"> <source>Method '{0}' cannot handle event '{1}' because they do not have a compatible signature.</source> <target state="translated">El método '{0}' no puede controlar el evento '{1}' porque no tienen una firma compatible.</target> <note /> </trans-unit> <trans-unit id="ERR_ConditionalCompilationConstantNotValid"> <source>Conditional compilation constant '{1}' is not valid: {0}</source> <target state="translated">La constante de compilación condicional "{1}" no es válida: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwice1"> <source>Interface '{0}' can be implemented only once by this type.</source> <target state="translated">Este tipo solo puede implementar la interfaz '{0}' una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames2"> <source>Interface '{0}' can be implemented only once by this type, but already appears with different tuple element names, as '{1}'.</source> <target state="translated">La interfaz '{0}' solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames3"> <source>Interface '{0}' can be implemented only once by this type, but already appears with different tuple element names, as '{1}' (via '{2}').</source> <target state="translated">La interfaz '{0}' solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}' (a través de '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNamesReverse3"> <source>Interface '{0}' (via '{1}') can be implemented only once by this type, but already appears with different tuple element names, as '{2}'.</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames4"> <source>Interface '{0}' (via '{1}') can be implemented only once by this type, but already appears with different tuple element names, as '{2}' (via '{3}').</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}' (a través de '{3}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames2"> <source>Interface '{0}' can be inherited only once by this interface, but already appears with different tuple element names, as '{1}'.</source> <target state="translated">La interfaz '{0}' solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames3"> <source>Interface '{0}' can be inherited only once by this interface, but already appears with different tuple element names, as '{1}' (via '{2}').</source> <target state="translated">La interfaz '{0}' solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}' (a través de '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNamesReverse3"> <source>Interface '{0}' (via '{1}') can be inherited only once by this interface, but already appears with different tuple element names, as '{2}'.</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames4"> <source>Interface '{0}' (via '{1}') can be inherited only once by this interface, but already appears with different tuple element names, as '{2}' (via '{3}').</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}' (a través de '{3}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNotImplemented1"> <source>Interface '{0}' is not implemented by this class.</source> <target state="translated">Esta clase no ha implementado la interfaz '{0}' .</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousImplementsMember3"> <source>'{0}' exists in multiple base interfaces. Use the name of the interface that declares '{0}' in the 'Implements' clause instead of the name of the derived interface.</source> <target state="translated">'{0}' existe en varias interfaces base. Use el nombre de la interfaz que declara '{0}' en la cláusula 'Implements' en lugar del nombre de la interfaz derivada.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsOnNew"> <source>'Sub New' cannot implement interface members.</source> <target state="translated">'Sub New' no puede implementar miembros de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitInStruct"> <source>Arrays declared as structure members cannot be declared with an initial size.</source> <target state="translated">Las matrices declaradas como miembros de estructura no se pueden declarar con un tamaño inicial.</target> <note /> </trans-unit> <trans-unit id="ERR_EventTypeNotDelegate"> <source>Events declared with an 'As' clause must have a delegate type.</source> <target state="translated">Los eventos declarados con una cláusula 'As' deben tener un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_ProtectedTypeOutsideClass"> <source>Protected types can only be declared inside of a class.</source> <target state="translated">Los tipos protegidos solo se pueden declarar dentro de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultPropertyWithNoParams"> <source>Properties with no required parameters cannot be declared 'Default'.</source> <target state="translated">Las propiedades sin parámetros obligatorios no se pueden declarar como 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerInStruct"> <source>Initializers on structure members are valid only for 'Shared' members and constants.</source> <target state="translated">Los inicializadores en miembros de estructura solo son válidos para las constantes y los miembros 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateImport1"> <source>Namespace or type '{0}' has already been imported.</source> <target state="translated">El espacio de nombres o el tipo '{0}' ya se han importado.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleFlags1"> <source>Modules cannot be declared '{0}'.</source> <target state="translated">Los módulos no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsStmtWrongOrder"> <source>'Implements' statements must follow any 'Inherits' statement and precede all declarations in a class.</source> <target state="translated">'Las instrucciones 'Implements' deben ir detrás de las instrucciones 'Inherits' y delante de todas las declaraciones de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberClashesWithSynth7"> <source>{0} '{1}' implicitly defines '{2}', which conflicts with a member implicitly declared for {3} '{4}' in {5} '{6}'.</source> <target state="translated">{0} '{1}' define implícitamente '{2}', que entra en conflicto con un miembro declarado implícitamente para {3} '{4}' en {5} '{6}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberClashesWithMember5"> <source>{0} '{1}' implicitly defines '{2}', which conflicts with a member of the same name in {3} '{4}'.</source> <target state="translated">{0} '{1}' define implícitamente '{2}', que entra en conflicto con un miembro del mismo nombre en {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MemberClashesWithSynth6"> <source>{0} '{1}' conflicts with a member implicitly declared for {2} '{3}' in {4} '{5}'.</source> <target state="translated">{0} '{1}' entra en conflicto con un miembro declarado implícitamente para {2} '{3}' en {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeClashesWithVbCoreType4"> <source>{0} '{1}' conflicts with a Visual Basic Runtime {2} '{3}'.</source> <target state="translated">{0} '{1}' entra en conflicto con un {2} '{3}' en tiempo de ejecución de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeMissingAction"> <source>First argument to a security attribute must be a valid SecurityAction.</source> <target state="translated">El primer argumento de un atributo de seguridad debe ser un SecurityAction válido.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidAction"> <source>Security attribute '{0}' has an invalid SecurityAction value '{1}'.</source> <target state="translated">El atributo de seguridad '{0}' tiene un valor '{1}' de SecurityAction no válido.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidActionAssembly"> <source>SecurityAction value '{0}' is invalid for security attributes applied to an assembly.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para los atributos de seguridad aplicados a un ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidActionTypeOrMethod"> <source>SecurityAction value '{0}' is invalid for security attributes applied to a type or a method.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para los atributos de seguridad aplicados a un tipo o método.</target> <note /> </trans-unit> <trans-unit id="ERR_PrincipalPermissionInvalidAction"> <source>SecurityAction value '{0}' is invalid for PrincipalPermission attribute.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para el atributo PrincipalPermission.</target> <note /> </trans-unit> <trans-unit id="ERR_PermissionSetAttributeInvalidFile"> <source>Unable to resolve file path '{0}' specified for the named argument '{1}' for PermissionSet attribute.</source> <target state="translated">No se puede resolver la ruta de acceso de archivo '{0}' especificada para el argumento con nombre '{1}' para el atributo PermissionSet.</target> <note /> </trans-unit> <trans-unit id="ERR_PermissionSetAttributeFileReadError"> <source>Error reading file '{0}' specified for the named argument '{1}' for PermissionSet attribute: '{2}'.</source> <target state="translated">Error al leer el archivo '{0}' especificado para el argumento con nombre '{1}' para el atributo PermissionSet: '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SetHasOnlyOneParam"> <source>'Set' method cannot have more than one parameter.</source> <target state="translated">'El método 'Set' no puede tener más de un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_SetValueNotPropertyType"> <source>'Set' parameter must have the same type as the containing property.</source> <target state="translated">'El parámetro de 'Set' debe tener el mismo tipo que la propiedad que lo contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_SetHasToBeByVal1"> <source>'Set' parameter cannot be declared '{0}'.</source> <target state="translated">'El parámetro 'Set' no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureCantUseProtected"> <source>Method in a structure cannot be declared 'Protected', 'Protected Friend', or 'Private Protected'.</source> <target state="translated">Un método de una estructura no se puede declarar como "Protected", "Protected Friend" o "Private Protected".</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceDelegateSpecifier1"> <source>Delegate in an interface cannot be declared '{0}'.</source> <target state="translated">Un delegado de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceEnumSpecifier1"> <source>Enum in an interface cannot be declared '{0}'.</source> <target state="translated">Una enumeración de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceClassSpecifier1"> <source>Class in an interface cannot be declared '{0}'.</source> <target state="translated">Una clase de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceStructSpecifier1"> <source>Structure in an interface cannot be declared '{0}'.</source> <target state="translated">Una estructura de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceInterfaceSpecifier1"> <source>Interface in an interface cannot be declared '{0}'.</source> <target state="translated">Una interfaz de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoleteSymbolNoMessage1"> <source>'{0}' is obsolete.</source> <target state="translated">'{0}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_MetaDataIsNotAssembly"> <source>'{0}' is a module and cannot be referenced as an assembly.</source> <target state="translated">'{0}' es un módulo y no se puede hacer referencia a él como ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_MetaDataIsNotModule"> <source>'{0}' is an assembly and cannot be referenced as a module.</source> <target state="translated">'{0}' es un ensamblado y no se puede hacer referencia a él como módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_ReferenceComparison3"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'. Use 'Is' operator to compare two reference types.</source> <target state="translated">El operador '{0}' no está definido para los tipos '{1}' y '{2}'. Use el operador 'Is' para comparar dos tipos de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchVariableNotLocal1"> <source>'{0}' is not a local variable or parameter, and so cannot be used as a 'Catch' variable.</source> <target state="translated">'{0}' no es una variable local ni un parámetro y, por tanto, no se puede usar como variable 'Catch'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleMemberCantImplement"> <source>Members in a Module cannot implement interface members.</source> <target state="translated">Los miembros de un módulo no pueden implementar miembros de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_EventDelegatesCantBeFunctions"> <source>Events cannot be declared with a delegate type that has a return type.</source> <target state="translated">Los eventos no se pueden declarar con un tipo delegado que tenga un tipo de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDate"> <source>Date constant is not valid.</source> <target state="translated">La constante de fecha no es válida.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverride4"> <source>'{0}' cannot override '{1}' because it is not declared 'Overridable'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque no está declarado como 'Overridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyArraysOnBoth"> <source>Array modifiers cannot be specified on both a variable and its type.</source> <target state="translated">No se pueden especificar los modificadores de matriz en una variable y en su tipo al mismo tiempo.</target> <note /> </trans-unit> <trans-unit id="ERR_NotOverridableRequiresOverrides"> <source>'NotOverridable' cannot be specified for methods that do not override another method.</source> <target state="translated">'NotOverridable' no se puede especificar para métodos que no invalidan otro método.</target> <note /> </trans-unit> <trans-unit id="ERR_PrivateTypeOutsideType"> <source>Types declared 'Private' must be inside another type.</source> <target state="translated">Los tipos declarados como 'Private' deben estar dentro de otro tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeRefResolutionError3"> <source>Import of type '{0}' from assembly or module '{1}' failed.</source> <target state="translated">Error al importar el tipo '{0}' del ensamblado o módulo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ValueTupleTypeRefResolutionError1"> <source>Predefined type '{0}' is not defined or imported.</source> <target state="translated">El tipo predefinido '{0}' no está definido o importado.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayWrongType"> <source>ParamArray parameters must have an array type.</source> <target state="translated">Los parámetros ParamArray deben tener un tipo de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_CoClassMissing2"> <source>Implementing class '{0}' for interface '{1}' cannot be found.</source> <target state="translated">No se encontró la clase '{0}' que realiza la implementación para la interfaz '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidCoClass1"> <source>Type '{0}' cannot be used as an implementing class.</source> <target state="translated">El tipo '{0}' no se puede usar como clase de implementación.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMeReference"> <source>Reference to object under construction is not valid when calling another constructor.</source> <target state="translated">La referencia a un objeto en construcción no es válida mientras se llama a otro constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplicitMeReference"> <source>Implicit reference to object under construction is not valid when calling another constructor.</source> <target state="translated">La referencia implícita a un objeto en construcción no es válida mientras se llama a otro constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeMemberNotFound2"> <source>Member '{0}' cannot be found in class '{1}'. This condition is usually the result of a mismatched 'Microsoft.VisualBasic.dll'.</source> <target state="translated">No se encuentra el miembro '{0}' en la clase '{1}'. Este problema suele ser el resultado de un 'Microsoft.VisualBasic.dll' no coincidente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags"> <source>Property accessors cannot be declared '{0}'.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlagsRestrict"> <source>Access modifier '{0}' is not valid. The access modifier of 'Get' and 'Set' should be more restrictive than the property access level.</source> <target state="translated">El modificador de acceso '{0}' no es válido. El modificador de acceso de 'Get' y 'Set' debe ser más restrictivo que el nivel de acceso de la propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOneAccessorForGetSet"> <source>Access modifier can only be applied to either 'Get' or 'Set', but not both.</source> <target state="translated">El modificador de acceso solo se puede aplicar a 'Get' o 'Set', no a ambos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleSet"> <source>'Set' accessor of property '{0}' is not accessible.</source> <target state="translated">'No se puede tener acceso al descriptor de acceso 'Set' de la propiedad '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleGet"> <source>'Get' accessor of property '{0}' is not accessible.</source> <target state="translated">'No se puede tener acceso al descriptor de acceso 'Get' de la propiedad '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyNoAccessorFlag"> <source>'WriteOnly' properties cannot have an access modifier on 'Set'.</source> <target state="translated">'Las propiedades 'WriteOnly' no pueden tener un modificador de acceso en 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyNoAccessorFlag"> <source>'ReadOnly' properties cannot have an access modifier on 'Get'.</source> <target state="translated">'Las propiedades 'ReadOnly' no pueden tener un modificador de acceso en 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags1"> <source>Property accessors cannot be declared '{0}' in a 'NotOverridable' property.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}' en una propiedad 'NotOverridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags2"> <source>Property accessors cannot be declared '{0}' in a 'Default' property.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}' en una propiedad 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags3"> <source>Property cannot be declared '{0}' because it contains a 'Private' accessor.</source> <target state="translated">La propiedad no se puede declarar como '{0}' porque contiene un descriptor de acceso 'Private'.</target> <note /> </trans-unit> <trans-unit id="ERR_InAccessibleCoClass3"> <source>Implementing class '{0}' for interface '{1}' is not accessible in this context because it is '{2}'.</source> <target state="translated">No se puede obtener acceso a la clase de implementación '{0}' de la interfaz '{1}' en este contexto porque es '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingValuesForArraysInApplAttrs"> <source>Arrays used as attribute arguments are required to explicitly specify values for all elements.</source> <target state="translated">Las matrices usadas como argumentos de atributo son necesarias para especificar explícitamente los valores de todos los elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitEventMemberNotInvalid"> <source>'Exit AddHandler', 'Exit RemoveHandler' and 'Exit RaiseEvent' are not valid. Use 'Return' to exit from event members.</source> <target state="translated">'Exit AddHandler', 'Exit RemoveHandler' y 'Exit RaiseEvent' no son válidos. Use 'Return' para salir de los miembros de evento.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsEvent"> <source>Statement cannot appear within an event body. End of event assumed.</source> <target state="translated">La instrucción no puede aparecer en el cuerpo de un evento. Se supone el final del evento.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndEvent"> <source>'Custom Event' must end with a matching 'End Event'.</source> <target state="translated">'Custom Event' debe terminar con una declaración 'End Event' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndAddHandler"> <source>'AddHandler' declaration must end with a matching 'End AddHandler'.</source> <target state="translated">'La declaración 'AddHandler' debe terminar con una declaración 'End AddHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndRemoveHandler"> <source>'RemoveHandler' declaration must end with a matching 'End RemoveHandler'.</source> <target state="translated">'La declaración 'RemoveHandler' debe terminar con una declaración 'End RemoveHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndRaiseEvent"> <source>'RaiseEvent' declaration must end with a matching 'End RaiseEvent'.</source> <target state="translated">'La declaración 'RaiseEvent' debe terminar con una declaración 'End RaiseEvent' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CustomEventInvInInterface"> <source>'Custom' modifier is not valid on events declared in interfaces.</source> <target state="translated">'El modificador 'Custom' no es válido en los eventos declarados en interfaces.</target> <note /> </trans-unit> <trans-unit id="ERR_CustomEventRequiresAs"> <source>'Custom' modifier is not valid on events declared without explicit delegate types.</source> <target state="translated">'El modificador 'Custom' no es válido en los eventos declarados sin tipos delegados explícitos.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndEvent"> <source>'End Event' must be preceded by a matching 'Custom Event'.</source> <target state="translated">'End Event' debe ir precedida de una declaración 'Custom Event' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndAddHandler"> <source>'End AddHandler' must be preceded by a matching 'AddHandler' declaration.</source> <target state="translated">'End AddHandler' debe ir precedida de una declaración 'AddHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndRemoveHandler"> <source>'End RemoveHandler' must be preceded by a matching 'RemoveHandler' declaration.</source> <target state="translated">'End RemoveHandler' debe ir precedida de una declaración 'RemoveHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndRaiseEvent"> <source>'End RaiseEvent' must be preceded by a matching 'RaiseEvent' declaration.</source> <target state="translated">'End RaiseEvent' debe ir precedida de una declaración 'RaiseEvent' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAddHandlerDef"> <source>'AddHandler' is already declared.</source> <target state="translated">'Ya se declaró 'AddHandler'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRemoveHandlerDef"> <source>'RemoveHandler' is already declared.</source> <target state="translated">'Ya se declaró 'RemoveHandler'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRaiseEventDef"> <source>'RaiseEvent' is already declared.</source> <target state="translated">'Ya se declaró 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingAddHandlerDef1"> <source>'AddHandler' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'AddHandler' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRemoveHandlerDef1"> <source>'RemoveHandler' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'RemoveHandler' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRaiseEventDef1"> <source>'RaiseEvent' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'RaiseEvent' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventAddRemoveHasOnlyOneParam"> <source>'AddHandler' and 'RemoveHandler' methods must have exactly one parameter.</source> <target state="translated">'Los métodos 'AddHandler' y 'RemoveHandler' deben tener exactamente un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_EventAddRemoveByrefParamIllegal"> <source>'AddHandler' and 'RemoveHandler' method parameters cannot be declared 'ByRef'.</source> <target state="translated">'Los parámetros de método 'AddHandler' y 'RemoveHandler' no se pueden declarar como 'ByRef'.</target> <note /> </trans-unit> <trans-unit id="ERR_SpecifiersInvOnEventMethod"> <source>Specifiers are not valid on 'AddHandler', 'RemoveHandler' and 'RaiseEvent' methods.</source> <target state="translated">Los especificadores no son válidos en los métodos 'AddHandler', 'RemoveHandler' y 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddRemoveParamNotEventType"> <source>'AddHandler' and 'RemoveHandler' method parameters must have the same delegate type as the containing event.</source> <target state="translated">'Los parámetros de método 'AddHandler' y 'RemoveHandler' deben tener el mismo tipo delegado que el evento que los contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_RaiseEventShapeMismatch1"> <source>'RaiseEvent' method must have the same signature as the containing event's delegate type '{0}'.</source> <target state="translated">'El método 'RaiseEvent' debe tener la misma firma que el tipo delegado '{0}' del evento que lo contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_EventMethodOptionalParamIllegal1"> <source>'AddHandler', 'RemoveHandler' and 'RaiseEvent' method parameters cannot be declared '{0}'.</source> <target state="translated">'Los parámetros de método 'AddHandler', 'RemoveHandler' y 'RaiseEvent' no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantReferToMyGroupInsideGroupType1"> <source>'{0}' cannot refer to itself through its default instance; use 'Me' instead.</source> <target state="translated">'{0}' no puede hacer referencia a sí mismo a través de su instancia predeterminada; use 'Me' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidUseOfCustomModifier"> <source>'Custom' modifier can only be used immediately before an 'Event' declaration.</source> <target state="translated">'El modificador 'Custom' solo se puede usar inmediatamente antes de una declaración 'Event'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionStrictCustom"> <source>Option Strict Custom can only be used as an option to the command-line compiler (vbc.exe).</source> <target state="translated">Option Strict Custom solo se puede usar como una opción del compilador de la línea de comandos (vbc.exe).</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteInvalidOnEventMember"> <source>'{0}' cannot be applied to the 'AddHandler', 'RemoveHandler', or 'RaiseEvent' definitions. If required, apply the attribute directly to the event.</source> <target state="translated">'{0}' no se puede aplicar a las definiciones de 'AddHandler', 'RemoveHandler' o 'RaiseEvent'. Si es necesario, aplique el atributo directamente al evento.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingIncompatible2"> <source>Method '{0}' does not have a signature compatible with delegate '{1}'.</source> <target state="translated">El método '{0}' no tiene una firma compatible con el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlName"> <source>XML name expected.</source> <target state="translated">Se esperaba un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedXmlPrefix"> <source>XML namespace prefix '{0}' is not defined.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML no está definido.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateXmlAttribute"> <source>Duplicate XML attribute '{0}'.</source> <target state="translated">Atributo XML '{0}' duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_MismatchedXmlEndTag"> <source>End tag &lt;/{0}{1}{2}&gt; expected.</source> <target state="translated">Se esperaba la etiqueta de cierre &lt;/{0}{1}{2}&gt;.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingXmlEndTag"> <source>Element is missing an end tag.</source> <target state="translated">Falta una etiqueta de cierre en el elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedXmlPrefix"> <source>XML namespace prefix '{0}' is reserved for use by XML and the namespace URI cannot be changed.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML está reservado para uso de XML y el URI del espacio de nombres no se puede cambiar.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingVersionInXmlDecl"> <source>Required attribute 'version' missing from XML declaration.</source> <target state="translated">Falta el atributo 'version' necesario en una declaración XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalAttributeInXmlDecl"> <source>XML declaration does not allow attribute '{0}{1}{2}'.</source> <target state="translated">Una declaración XML no permite el atributo '{0}{1}{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_QuotedEmbeddedExpression"> <source>Embedded expression cannot appear inside a quoted attribute value. Try removing quotes.</source> <target state="translated">Una expresión incrustada no puede aparecer dentro de un valor de atributo entrecomillado. Pruebe a quitar las comillas.</target> <note /> </trans-unit> <trans-unit id="ERR_VersionMustBeFirstInXmlDecl"> <source>XML attribute 'version' must be the first attribute in XML declaration.</source> <target state="translated">El atributo XML 'version' debe ser el primer atributo en una declaración XML.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeOrder"> <source>XML attribute '{0}' must appear before XML attribute '{1}'.</source> <target state="translated">El atributo XML '{0}' debe aparecer antes del atributo XML '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndEmbedded"> <source>Expected closing '%&gt;' for embedded expression.</source> <target state="translated">Se esperaba el cierre '%&gt;' para la expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndPI"> <source>Expected closing '?&gt;' for XML processor instruction.</source> <target state="translated">Se esperaba el cierre '?&gt;' para la instrucción del procesador XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndComment"> <source>Expected closing '--&gt;' for XML comment.</source> <target state="translated">Se esperaba el cierre '--&gt;' para el comentario XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndCData"> <source>Expected closing ']]&gt;' for XML CDATA section.</source> <target state="translated">Se esperaba el cierre ']]&gt;' para la sección XML CDATA.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSQuote"> <source>Expected matching closing single quote for XML attribute value.</source> <target state="translated">Se esperaba la comilla simple de cierre para el valor de atributo XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQuote"> <source>Expected matching closing double quote for XML attribute value.</source> <target state="translated">Se esperaban las comillas dobles de cierre para el valor de atributo XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLT"> <source>Expected beginning '&lt;' for an XML tag.</source> <target state="translated">Se esperaba la apertura '&lt;' para una etiqueta XML.</target> <note /> </trans-unit> <trans-unit id="ERR_StartAttributeValue"> <source>Expected quoted XML attribute value or embedded expression.</source> <target state="translated">Se esperaba una expresión incrustada o un valor de atributo XML entrecomillado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDiv"> <source>Expected '/' for XML end tag.</source> <target state="translated">Se esperaba '/' para la etiqueta de cierre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_NoXmlAxesLateBinding"> <source>XML axis properties do not support late binding.</source> <target state="translated">Las propiedades del eje XML no admiten enlace en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlStartNameChar"> <source>Character '{0}' ({1}) is not allowed at the beginning of an XML name.</source> <target state="translated">No se permite el carácter '{0}' ({1}) al principio de un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlNameChar"> <source>Character '{0}' ({1}) is not allowed in an XML name.</source> <target state="translated">No se permite el carácter '{0}' ({1}) en un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlCommentChar"> <source>Character sequence '--' is not allowed in an XML comment.</source> <target state="translated">No se permite la secuencia de caracteres '--' en un comentario XML.</target> <note /> </trans-unit> <trans-unit id="ERR_EmbeddedExpression"> <source>An embedded expression cannot be used here.</source> <target state="translated">Aquí no se puede usar una expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlWhiteSpace"> <source>Missing required white space.</source> <target state="translated">Falta un espacio en blanco requerido.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalProcessingInstructionName"> <source>XML processing instruction name '{0}' is not valid.</source> <target state="translated">El nombre de la instrucción de procesamiento XML '{0}' no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_DTDNotSupported"> <source>XML DTDs are not supported.</source> <target state="translated">No se admiten DTD XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlWhiteSpace"> <source>White space cannot appear here.</source> <target state="translated">Aquí no puede aparecer un espacio en blanco.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSColon"> <source>Expected closing ';' for XML entity.</source> <target state="translated">Se esperaba el cierre ';' para la entidad XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlBeginEmbedded"> <source>Expected '%=' at start of an embedded expression.</source> <target state="translated">Se esperaba '%=' al principio de una expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEntityReference"> <source>XML entity references are not supported.</source> <target state="translated">No se admiten referencias de entidad XML.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeValue1"> <source>Attribute value is not valid; expecting '{0}'.</source> <target state="translated">El valor del atributo no es válido; se espera '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeValue2"> <source>Attribute value is not valid; expecting '{0}' or '{1}'.</source> <target state="translated">El valor del atributo no es válido; se espera '{0}' o '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedXmlNamespace"> <source>Prefix '{0}' cannot be bound to namespace name reserved for '{1}'.</source> <target state="translated">El prefijo '{0}' no se puede enlazar al nombre de un espacio de nombres reservado para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalDefaultNamespace"> <source>Namespace declaration with prefix cannot have an empty value inside an XML literal.</source> <target state="translated">Una declaración de espacio de nombres con prefijo no puede tener un valor vacío en un literal XML.</target> <note /> </trans-unit> <trans-unit id="ERR_QualifiedNameNotAllowed"> <source>':' is not allowed. XML qualified names cannot be used in this context.</source> <target state="translated">'No se permite ':'. No se pueden usar nombres XML completos en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlns"> <source>Namespace declaration must start with 'xmlns'.</source> <target state="translated">Una declaración de espacio de nombres debe comenzar con 'xmlns'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlnsPrefix"> <source>Element names cannot use the 'xmlns' prefix.</source> <target state="translated">Los nombres de elemento no pueden usar el prefijo 'xmlns'.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlFeaturesNotAvailable"> <source>XML literals and XML axis properties are not available. Add references to System.Xml, System.Xml.Linq, and System.Core or other assemblies declaring System.Linq.Enumerable, System.Xml.Linq.XElement, System.Xml.Linq.XName, System.Xml.Linq.XAttribute and System.Xml.Linq.XNamespace types.</source> <target state="translated">No hay literales XML ni propiedades de eje XML disponibles. Agregue referencias a System.Xml, System.Xml.Linq, and System.Core u otros ensamblados que declaren tipos System.Linq.Enumerable, System.Xml.Linq.XElement, System.Xml.Linq.XName, System.Xml.Linq.XAttribute y System.Xml.Linq.XNamespace.</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToReadUacManifest2"> <source>Unable to open Win32 manifest file '{0}' : {1}</source> <target state="translated">No se puede abrir el archivo de manifiesto de Win32 '{0}' : {1}</target> <note /> </trans-unit> <trans-unit id="WRN_UseValueForXmlExpression3"> <source>Cannot convert '{0}' to '{1}'. You can use the 'Value' property to get the string value of the first element of '{2}'.</source> <target state="translated">No se puede convertir '{0}' en '{1}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseValueForXmlExpression3_Title"> <source>Cannot convert IEnumerable(Of XElement) to String</source> <target state="translated">No se puede convertir IEnumerable(Of XElement) en una cadena</target> <note /> </trans-unit> <trans-unit id="ERR_TypeMismatchForXml3"> <source>Value of type '{0}' cannot be converted to '{1}'. You can use the 'Value' property to get the string value of the first element of '{2}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryOperandsForXml4"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'. You can use the 'Value' property to get the string value of the first element of '{3}'.</source> <target state="translated">El operador '{0}' no está definido por los tipos '{1}' y '{2}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_FullWidthAsXmlDelimiter"> <source>Full width characters are not valid as XML delimiters.</source> <target state="translated">No se pueden usar caracteres de ancho completo como delimitadores XML.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSubsystemVersion"> <source>The value '{0}' is not a valid subsystem version. The version must be 6.02 or greater for ARM or AppContainerExe, and 4.00 or greater otherwise.</source> <target state="translated">El valor '{0}' no es una versión de subsistema válida. La versión debe ser 6.02 o posterior para ARM o AppContainerExe, y 4.00 o posterior de lo contrario.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFileAlignment"> <source>Invalid file section alignment '{0}'</source> <target state="translated">Alineación de sección de archivo no válida "{0}"</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOutputName"> <source>Invalid output name: {0}</source> <target state="translated">Nombre de archivo salida no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDebugInformationFormat"> <source>Invalid debug information format: {0}</source> <target state="translated">Formato de la información de depuración no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_LibAnycpu32bitPreferredConflict"> <source>/platform:anycpu32bitpreferred can only be used with /t:exe, /t:winexe and /t:appcontainerexe.</source> <target state="translated">/platform:anycpu32bitpreferred solamente se puede usar con /t:exe, /t:winexe y /t:appcontainerexe.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedAccess"> <source>Expression has the type '{0}' which is a restricted type and cannot be used to access members inherited from 'Object' or 'ValueType'.</source> <target state="translated">La expresión tiene el tipo '{0}' que es un tipo restringido y no se puede usar para obtener acceso a miembros heredados de 'Object' o 'ValueType'.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedConversion1"> <source>Expression of type '{0}' cannot be converted to 'Object' or 'ValueType'.</source> <target state="translated">No se puede convertir la expresión de tipo '{0}' en 'Object' o 'ValueType'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypecharInLabel"> <source>Type characters are not allowed in label identifiers.</source> <target state="translated">Los caracteres de tipo no se permiten en identificadores de etiqueta.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedType1"> <source>'{0}' cannot be made nullable, and cannot be used as the data type of an array element, field, anonymous type member, type argument, 'ByRef' parameter, or return statement.</source> <target state="translated">No se puede hacer que "{0}" admita valores NULL y no se puede usar como tipo de datos de un elemento de matriz, campo, miembro de tipo anónimo, argumento de tipo, parámetro "ByRef" o instrucción "return".</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypecharInAlias"> <source>Type characters are not allowed on Imports aliases.</source> <target state="translated">No se permiten los caracteres de tipo en los alias de importación.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleConstructorOnBase"> <source>Class '{0}' has no accessible 'Sub New' and cannot be inherited.</source> <target state="translated">La clase '{0}' no tiene un 'Sub New' accesible y no se puede heredar.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticLocalInStruct"> <source>Local variables within methods of structures cannot be declared 'Static'.</source> <target state="translated">Las variables locales que se encuentran dentro de métodos de estructuras no se pueden declarar como 'Static'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocalStatic1"> <source>Static local variable '{0}' is already declared.</source> <target state="translated">La variable local estática '{0}' ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_ImportAliasConflictsWithType2"> <source>Imports alias '{0}' conflicts with '{1}' declared in the root namespace.</source> <target state="translated">El alias '{0}' de Imports entra en conflicto con '{1}', declarado en el espacio de nombres de la raíz.</target> <note /> </trans-unit> <trans-unit id="ERR_CantShadowAMustOverride1"> <source>'{0}' cannot shadow a method declared 'MustOverride'.</source> <target state="translated">'{0}' no puede prevalecer sobre un método declarado como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleEventImplMismatch3"> <source>Event '{0}' cannot implement event '{2}.{1}' because its delegate type does not match the delegate type of another event implemented by '{0}'.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{2}.{1}' porque su tipo delegado no coincide con el tipo delegado de otro evento implementado por '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadSpecifierCombo2"> <source>'{0}' and '{1}' cannot be combined.</source> <target state="translated">'{0}' y '{1}' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_MustBeOverloads2"> <source>{0} '{1}' must be declared 'Overloads' because another '{1}' is declared 'Overloads' or 'Overrides'.</source> <target state="translated">{0} '{1}' se debe declarar como 'Overloads' porque otro '{1}' está declarado como 'Overloads' u 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="ERR_MustOverridesInClass1"> <source>'{0}' must be declared 'MustInherit' because it contains methods declared 'MustOverride'.</source> <target state="translated">'{0}' se debe declarar como 'MustInherit' debido a que contiene métodos declarados como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesSyntaxInClass"> <source>'Handles' in classes must specify a 'WithEvents' variable, 'MyBase', 'MyClass' or 'Me' qualified with a single identifier.</source> <target state="translated">'Handles' debe especificar una variable 'WithEvents', 'MyBase', 'MyClass' o 'Me' calificada con un solo identificador cuando aparece en clases.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberShadowsMustOverride5"> <source>'{0}', implicitly declared for {1} '{2}', cannot shadow a 'MustOverride' method in the base {3} '{4}'.</source> <target state="translated">'{0}', declarado implícitamente para {1} '{2}', no puede prevalecer sobre un método 'MustOverride' en la base {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotOverrideInAccessibleMember"> <source>'{0}' cannot override '{1}' because it is not accessible in this context.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque no es accesible en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesSyntaxInModule"> <source>'Handles' in modules must specify a 'WithEvents' variable qualified with a single identifier.</source> <target state="translated">'Handles' debe especificar una variable 'WithEvents' calificada con un identificador único cuando aparece en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOpRequiresReferenceTypes1"> <source>'IsNot' requires operands that have reference types, but this operand has the value type '{0}'.</source> <target state="translated">'IsNot' requiere operandos que tengan tipos de referencia, pero este operando tiene el tipo de valor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ClashWithReservedEnumMember1"> <source>'{0}' conflicts with the reserved member by this name that is implicitly declared in all enums.</source> <target state="translated">'{0}' entra en conflicto con el miembro reservado por este nombre que está declarado implícitamente en todas las enumeraciones.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefinedEnumMember2"> <source>'{0}' is already declared in this {1}.</source> <target state="translated">'{0}' ya está declarado en esta {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadUseOfVoid"> <source>'System.Void' can only be used in a GetType expression.</source> <target state="translated">'System.Void' solo se puede usar en una expresión GetType.</target> <note /> </trans-unit> <trans-unit id="ERR_EventImplMismatch5"> <source>Event '{0}' cannot implement event '{1}' on interface '{2}' because their delegate types '{3}' and '{4}' do not match.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{1}' en la interfaz '{2}' porque sus tipos delegados '{3}' y '{4}' no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeUnavailable3"> <source>Type '{0}' in assembly '{1}' has been forwarded to assembly '{2}'. Either a reference to '{2}' is missing from your project or the type '{0}' is missing from assembly '{2}'.</source> <target state="translated">El tipo '{0}' del ensamblado '{1}' se reenvió al ensamblado '{2}'. Falta una referencia a '{2}' en el proyecto o falta el tipo '{0}' en el ensamblado '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeFwdCycle2"> <source>'{0}' in assembly '{1}' has been forwarded to itself and so is an unsupported type.</source> <target state="translated">'{0}' del ensamblado '{1}' se ha reenviado a sí mismo y, por tanto, no es un tipo admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeInCCExpression"> <source>Non-intrinsic type names are not allowed in conditional compilation expressions.</source> <target state="translated">No se permiten nombres de tipo no intrínseco en las expresiones de compilación condicional.</target> <note /> </trans-unit> <trans-unit id="ERR_BadCCExpression"> <source>Syntax error in conditional compilation expression.</source> <target state="translated">Error de sintaxis de la expresión de compilación condicional.</target> <note /> </trans-unit> <trans-unit id="ERR_VoidArrayDisallowed"> <source>Arrays of type 'System.Void' are not allowed in this expression.</source> <target state="translated">Esta expresión no permite matrices de tipo 'System.Void'.</target> <note /> </trans-unit> <trans-unit id="ERR_MetadataMembersAmbiguous3"> <source>'{0}' is ambiguous because multiple kinds of members with this name exist in {1} '{2}'.</source> <target state="translated">'{0}' es ambiguo porque existen varios tipos de miembros con este nombre en {1} '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOfExprAlwaysFalse2"> <source>Expression of type '{0}' can never be of type '{1}'.</source> <target state="translated">La expresión de tipo '{0}' nunca puede ser del tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyPrivatePartialMethods1"> <source>Partial methods must be declared 'Private' instead of '{0}'.</source> <target state="translated">Los métodos parciales deben declararse como 'Private' en lugar de como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustBePrivate"> <source>Partial methods must be declared 'Private'.</source> <target state="translated">Los métodos parciales deben declararse como 'Private'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOnePartialMethodAllowed2"> <source>Method '{0}' cannot be declared 'Partial' because only one method '{1}' can be marked 'Partial'.</source> <target state="translated">El método '{0}' no se puede declarar como 'Partial' porque solo puede haber un método '{1}' marcado como 'Partial'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOneImplementingMethodAllowed3"> <source>Method '{0}' cannot implement partial method '{1}' because '{2}' already implements it. Only one method can implement a partial method.</source> <target state="translated">El método '{0}' no puede implementar el método parcial '{1}' porque '{2}' ya lo implementa. Solo un método puede implementar un método parcial.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodMustBeEmpty"> <source>Partial methods must have empty method bodies.</source> <target state="translated">Los métodos parciales deben tener cuerpos de método vacíos.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustBeSub1"> <source>'{0}' cannot be declared 'Partial' because partial methods must be Subs.</source> <target state="translated">'{0}' no se puede declarar como 'Partial' porque los métodos parciales deben ser Subs.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodGenericConstraints2"> <source>Method '{0}' does not have the same generic constraints as the partial method '{1}'.</source> <target state="translated">El método '{0}' no tiene las mismas restricciones genéricas que el método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialDeclarationImplements1"> <source>Partial method '{0}' cannot use the 'Implements' keyword.</source> <target state="translated">El método parcial '{0}' no puede usar la palabra clave 'Implements'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoPartialMethodInAddressOf1"> <source>'AddressOf' cannot be applied to '{0}' because '{0}' is a partial method without an implementation.</source> <target state="translated">'AddressOf' no se puede aplicar a '{0}' porque '{0}' es un método parcial sin implementación.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementationMustBePrivate2"> <source>Method '{0}' must be declared 'Private' in order to implement partial method '{1}'.</source> <target state="translated">El método '{0}' se debe declarar como 'Private' para poder implementar el método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodParamNamesMustMatch3"> <source>Parameter name '{0}' does not match the name of the corresponding parameter, '{1}', defined on the partial method declaration '{2}'.</source> <target state="translated">El nombre de parámetro '{0}' no coincide con el nombre del parámetro correspondiente, '{1}', definido en la declaración de método parcial '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodTypeParamNameMismatch3"> <source>Name of type parameter '{0}' does not match '{1}', the corresponding type parameter defined on the partial method declaration '{2}'.</source> <target state="translated">El nombre del parámetro de tipo '{0}' no coincide con '{1}', que es el parámetro de tipo correspondiente definido en la declaración del método parcial '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeSharedProperty1"> <source>'Shared' attribute property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad de atributo 'Shared' '{0}' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeReadOnlyProperty1"> <source>'ReadOnly' attribute property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad de atributo 'ReadOnly' '{0}' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateResourceName1"> <source>Resource name '{0}' cannot be used more than once.</source> <target state="translated">El nombre de recurso '{0}' no se puede usar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateResourceFileName1"> <source>Each linked resource and module must have a unique filename. Filename '{0}' is specified more than once in this assembly.</source> <target state="translated">Todos los recursos y módulos vinculados deben tener un nombre de archivo único. El nombre de archivo '{0}' se ha especificado más de una vez en este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeMustBeClassNotStruct1"> <source>'{0}' cannot be used as an attribute because it is not a class.</source> <target state="translated">'{0}' no se puede usar como atributo porque no es una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeMustInheritSysAttr"> <source>'{0}' cannot be used as an attribute because it does not inherit from 'System.Attribute'.</source> <target state="translated">'{0}' no se puede usar como atributo porque no se hereda de 'System.Attribute'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeCannotBeAbstract"> <source>'{0}' cannot be used as an attribute because it is declared 'MustInherit'.</source> <target state="translated">'{0}' no se puede usar como atributo porque se ha declarado como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToOpenResourceFile1"> <source>Unable to open resource file '{0}': {1}</source> <target state="translated">No se puede abrir el archivo de recursos '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicProperty1"> <source>Attribute member '{0}' cannot be the target of an assignment because it is not declared 'Public'.</source> <target state="translated">El miembro de atributo '{0}' no puede ser el destino de una asignación porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_STAThreadAndMTAThread0"> <source>'System.STAThreadAttribute' and 'System.MTAThreadAttribute' cannot both be applied to the same method.</source> <target state="translated">'System.STAThreadAttribute' y 'System.MTAThreadAttribute' no se pueden aplicar a la vez al mismo método.</target> <note /> </trans-unit> <trans-unit id="ERR_IndirectUnreferencedAssembly4"> <source>Project '{0}' makes an indirect reference to assembly '{1}', which contains '{2}'. Add a file reference to '{3}' to your project.</source> <target state="translated">El proyecto '{0}' hace una referencia indirecta al ensamblado '{1}', que contiene '{2}'. Agregue una referencia de archivo a '{3}' a su proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicType1"> <source>Type '{0}' cannot be used in an attribute because it is not declared 'Public'.</source> <target state="translated">No se puede usar el tipo '{0}' en un atributo porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicContType2"> <source>Type '{0}' cannot be used in an attribute because its container '{1}' is not declared 'Public'.</source> <target state="translated">No se puede usar el tipo '{0}' en un atributo porque su contenedor '{1}' no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnNonEmptySubOrFunction"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Sub, Function, or Operator with a non-empty body.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Sub, Function u Operator con un cuerpo no vacío.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnDeclare"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Declare.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Declare.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnGetOrSet"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Get or Set.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Get o Set.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnGenericSubOrFunction"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a method that is generic or contained in a generic type.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método que es genérico o está contenido en un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassOnGeneric"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to a class that is generic or contained inside a generic type.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a una clase genérica o contenida dentro de un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnInstanceMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to instance method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnInterfaceMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to interface methods.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a métodos de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnEventMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to 'AddHandler', 'RemoveHandler' or 'RaiseEvent' method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a los métodos 'AddHandler', 'RemoveHandler' o 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyBadArguments"> <source>Friend assembly reference '{0}' is invalid. InternalsVisibleTo declarations cannot have a version, culture, public key token, or processor architecture specified.</source> <target state="translated">La referencia de ensamblado de confianza '{0}' no es válida. Las declaraciones InternalsVisibleTo no pueden tener especificada una versión, una referencia cultural, un token de clave pública ni una arquitectura de procesador.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyStrongNameRequired"> <source>Friend assembly reference '{0}' is invalid. Strong-name signed assemblies must specify a public key in their InternalsVisibleTo declarations.</source> <target state="translated">La referencia de ensamblado de confianza '{0}' no es válida. Los ensamblados firmados con nombre seguro deben especificar una clave pública en sus declaraciones InternalsVisibleTo.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyNameInvalid"> <source>Friend declaration '{0}' is invalid and cannot be resolved.</source> <target state="translated">La declaración "friend" "{0}" no es válida y no se puede resolver.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyBadAccessOverride2"> <source>Member '{0}' cannot override member '{1}' defined in another assembly/project because the access modifier 'Protected Friend' expands accessibility. Use 'Protected' instead.</source> <target state="translated">El miembro '{0}' no puede invalidar al miembro '{1}' definido en otro ensamblado o proyecto porque el modificador de acceso 'Protected Friend' amplía la accesibilidad. Use 'Protected'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfLocalBeforeDeclaration1"> <source>Local variable '{0}' cannot be referred to before it is declared.</source> <target state="translated">No se puede hacer referencia a la variable local '{0}' hasta que esté declarada.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordFromModule1"> <source>'{0}' is not valid within a Module.</source> <target state="translated">'{0}' no es válido dentro de un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_BogusWithinLineIf"> <source>Statement cannot end a block outside of a line 'If' statement.</source> <target state="translated">La instrucción no puede terminar un bloque fuera de una línea de la instrucción 'If'.</target> <note /> </trans-unit> <trans-unit id="ERR_CharToIntegralTypeMismatch1"> <source>'Char' values cannot be converted to '{0}'. Use 'Microsoft.VisualBasic.AscW' to interpret a character as a Unicode value or 'Microsoft.VisualBasic.Val' to interpret it as a digit.</source> <target state="translated">'Los valores 'Char' no se pueden convertir en '{0}'. Use 'Microsoft.VisualBasic.AscW' para interpretar un carácter como valor Unicode o 'Microsoft.VisualBasic.Val' para interpretarlo como un dígito.</target> <note /> </trans-unit> <trans-unit id="ERR_IntegralToCharTypeMismatch1"> <source>'{0}' values cannot be converted to 'Char'. Use 'Microsoft.VisualBasic.ChrW' to interpret a numeric value as a Unicode character or first convert it to 'String' to produce a digit.</source> <target state="translated">'Los valores '{0}' no se pueden convertir en 'Char'. Use 'Microsoft.VisualBasic.ChrW' para interpretar un valor numérico como carácter Unicode o conviértalo primero en 'String' para producir un dígito.</target> <note /> </trans-unit> <trans-unit id="ERR_NoDirectDelegateConstruction1"> <source>Delegate '{0}' requires an 'AddressOf' expression or lambda expression as the only argument to its constructor.</source> <target state="translated">El delegado '{0}' requiere una expresión 'AddressOf' o una expresión lambda como único argumento de su constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodMustBeFirstStatementOnLine"> <source>Method declaration statements must be the first statement on a logical line.</source> <target state="translated">Las instrucciones de declaración de método deben ser la primera instrucción en una línea lógica.</target> <note /> </trans-unit> <trans-unit id="ERR_AttrAssignmentNotFieldOrProp1"> <source>'{0}' cannot be named as a parameter in an attribute specifier because it is not a field or property.</source> <target state="translated">'{0}' no se puede usar como parámetro en un especificador de atributo porque no es un campo ni una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsObjectComparison1"> <source>Option Strict On disallows operands of type Object for operator '{0}'. Use the 'Is' operator to test for object identity.</source> <target state="translated">Option Strict On no permite operandos de tipo Object para el operador '{0}'. Use el operador 'Is' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NoConstituentArraySizes"> <source>Bounds can be specified only for the top-level array when initializing an array of arrays.</source> <target state="translated">Los límites solo se pueden especificar para la matriz de nivel superior al inicializar una matriz de matrices.</target> <note /> </trans-unit> <trans-unit id="ERR_FileAttributeNotAssemblyOrModule"> <source>'Assembly' or 'Module' expected.</source> <target state="translated">'Se esperaba 'Assembly' o 'Module'.</target> <note /> </trans-unit> <trans-unit id="ERR_FunctionResultCannotBeIndexed1"> <source>'{0}' has no parameters and its return type cannot be indexed.</source> <target state="translated">'{0}' no tiene parámetros y su tipo de valor devuelto no se puede indizar.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentSyntax"> <source>Comma, ')', or a valid expression continuation expected.</source> <target state="translated">Se esperaba una coma, ')' o la continuación de una expresión válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedResumeOrGoto"> <source>'Resume' or 'GoTo' expected.</source> <target state="translated">'Se esperaba 'Resume' o 'GoTo'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAssignmentOperator"> <source>'=' expected.</source> <target state="translated">'Se esperaba '='.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted2"> <source>Parameter '{0}' in '{1}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' de '{1}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotCallEvent1"> <source>'{0}' is an event, and cannot be called directly. Use a 'RaiseEvent' statement to raise an event.</source> <target state="translated">'{0}' es un evento y no se puede llamar directamente. Use una instrucción 'RaiseEvent' para generar un evento.</target> <note /> </trans-unit> <trans-unit id="ERR_ForEachCollectionDesignPattern1"> <source>Expression is of type '{0}', which is not a collection type.</source> <target state="translated">La expresión es del tipo '{0}', que no es un tipo de colección.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultValueForNonOptionalParam"> <source>Default values cannot be supplied for parameters that are not declared 'Optional'.</source> <target state="translated">Los valores predeterminados no se pueden proporcionar para parámetros no declarados como 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterMyBase"> <source>'MyBase' must be followed by '.' and an identifier.</source> <target state="translated">'MyBase' debe ir seguido por '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterMyClass"> <source>'MyClass' must be followed by '.' and an identifier.</source> <target state="translated">'MyClass' debe ir seguido por '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictArgumentCopyBackNarrowing3"> <source>Option Strict On disallows narrowing from type '{1}' to type '{2}' in copying the value of 'ByRef' parameter '{0}' back to the matching argument.</source> <target state="translated">Option Strict On no permite restricciones del tipo '{1}' al tipo '{2}' al copiar de nuevo el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbElseifAfterElse"> <source>'#ElseIf' cannot follow '#Else' as part of a '#If' block.</source> <target state="translated">'#ElseIf' no puede ir detrás de '#Else' como parte de un bloque '#If'.</target> <note /> </trans-unit> <trans-unit id="ERR_StandaloneAttribute"> <source>Attribute specifier is not a complete statement. Use a line continuation to apply the attribute to the following statement.</source> <target state="translated">El especificador de atributo no es una instrucción completa. Use una continuación de línea para aplicar el atributo a la instrucción siguiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NoUniqueConstructorOnBase2"> <source>Class '{0}' must declare a 'Sub New' because its base class '{1}' has more than one accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La clase '{0}' debe declarar un 'Sub New' porque su clase base '{1}' tiene más de un 'Sub New' accesible al que puede llamarse sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtraNextVariable"> <source>'Next' statement names more variables than there are matching 'For' statements.</source> <target state="translated">'Hay más variables designadas por la instrucción 'Next' que instrucciones 'For' correspondientes.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNewCallTooMany2"> <source>First statement of this 'Sub New' must be a call to 'MyBase.New' or 'MyClass.New' because base class '{0}' of '{1}' has more than one accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada a 'MyBase.New' o 'MyClass.New' porque la clase base '{0}' de '{1}' tiene más de un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_ForCtlVarArraySizesSpecified"> <source>Array declared as for loop control variable cannot be declared with an initial size.</source> <target state="translated">La matriz declarada como variable de control de bucle For no se puede declarar con un tamaño inicial.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnNewOverloads"> <source>The '{0}' keyword is used to overload inherited members; do not use the '{0}' keyword when overloading 'Sub New'.</source> <target state="translated">La palabra clave '{0}' se usa para sobrecargar los miembros heredados; no use la palabra clave '{0}' cuando sobrecargue un procedimiento 'Sub New'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnGenericParam"> <source>Type character cannot be used in a type parameter declaration.</source> <target state="translated">El carácter de tipo no se puede usar en una declaración de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewGenericArguments1"> <source>Too few type arguments to '{0}'.</source> <target state="translated">Argumentos de tipo insuficientes para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyGenericArguments1"> <source>Too many type arguments to '{0}'.</source> <target state="translated">Demasiados argumentos de tipo para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericConstraintNotSatisfied2"> <source>Type argument '{0}' does not inherit from or implement the constraint type '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no se hereda del tipo de restricción '{1}' ni lo implementa.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOrMemberNotGeneric1"> <source>'{0}' has no type parameters and so cannot have type arguments.</source> <target state="translated">'{0}' no tiene parámetros de tipo y, por lo tanto, no puede tener argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewIfNullOnGenericParam"> <source>'New' cannot be used on a type parameter that does not have a 'New' constraint.</source> <target state="translated">'New' no se puede usar en un parámetro de tipo que no tenga una restricción 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleClassConstraints1"> <source>Type parameter '{0}' can only have one constraint that is a class.</source> <target state="translated">El parámetro de tipo '{0}' puede tener una restricción que sea una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstNotClassInterfaceOrTypeParam1"> <source>Type constraint '{0}' must be either a class, interface or type parameter.</source> <target state="translated">La restricción de tipo '{0}' debe ser una clase, una interfaz o un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateTypeParamName1"> <source>Type parameter already declared with name '{0}'.</source> <target state="translated">Ya se ha declarado el parámetro de tipo con el nombre '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam2"> <source>Type parameter '{0}' for '{1}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}' para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorGenericParam1"> <source>'Is' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a type parameter with no class constraint.</source> <target state="translated">'El operando 'Is' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un parámetro de tipo sin restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentCopyBackNarrowing3"> <source>Copying the value of 'ByRef' parameter '{0}' back to the matching argument narrows from type '{1}' to type '{2}'.</source> <target state="translated">La copia del valor del parámetro 'ByRef' {0} en el argumento correspondiente se reduce del tipo '{1}' al tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ShadowingGenericParamWithMember1"> <source>'{0}' has the same name as a type parameter.</source> <target state="translated">'{0}' tiene el mismo nombre que un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericParamBase2"> <source>{0} '{1}' cannot inherit from a type parameter.</source> <target state="translated">{0} '{1}' no se puede heredar de un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsGenericParam"> <source>Type parameter not allowed in 'Implements' clause.</source> <target state="translated">Parámetro de tipo no permitido en la cláusula 'Implements'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyNullLowerBound"> <source>Array lower bounds can be only '0'.</source> <target state="translated">Los límites inferiores de la matriz solo pueden ser '0'.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassConstraintNotInheritable1"> <source>Type constraint cannot be a 'NotInheritable' class.</source> <target state="translated">La restricción de tipo no puede ser una clase 'NotInheritable'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintIsRestrictedType1"> <source>'{0}' cannot be used as a type constraint.</source> <target state="translated">'{0}' no se puede usar como una restricción de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericParamsOnInvalidMember"> <source>Type parameters cannot be specified on this declaration.</source> <target state="translated">No se pueden especificar parámetros de tipo en esta declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericArgsOnAttributeSpecifier"> <source>Type arguments are not valid because attributes cannot be generic.</source> <target state="translated">Los argumentos de tipo no son válidos porque los atributos no pueden ser genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_AttrCannotBeGenerics"> <source>Type parameters, generic types or types contained in generic types cannot be used as attributes.</source> <target state="translated">Los parámetros de tipo, los tipos genéricos y los tipos contenidos en tipos genéricos no se pueden usar como atributos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticLocalInGenericMethod"> <source>Local variables within generic methods cannot be declared 'Static'.</source> <target state="translated">Las variables locales que se encuentran dentro de métodos genéricos no se pueden declarar como 'Static'.</target> <note /> </trans-unit> <trans-unit id="ERR_SyntMemberShadowsGenericParam3"> <source>{0} '{1}' implicitly defines a member '{2}' which has the same name as a type parameter.</source> <target state="translated">{0} '{1}' define implícitamente un miembro '{2}' que tiene el mismo nombre que un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintAlreadyExists1"> <source>Constraint type '{0}' already specified for this type parameter.</source> <target state="translated">Ya se ha especificado el tipo de restricción '{0}' para este parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfacePossiblyImplTwice2"> <source>Cannot implement interface '{0}' because its implementation could conflict with the implementation of another implemented interface '{1}' for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque su implementación podría entrar en conflicto con la implementación de otra interfaz implementada '{1}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ModulesCannotBeGeneric"> <source>Modules cannot be generic.</source> <target state="translated">Los módulos no pueden ser genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericClassCannotInheritAttr"> <source>Classes that are generic or contained in a generic type cannot inherit from an attribute class.</source> <target state="translated">Las clases genéricas o contenidas en un tipo genérico no se pueden heredar de una clase de atributos.</target> <note /> </trans-unit> <trans-unit id="ERR_DeclaresCantBeInGeneric"> <source>'Declare' statements are not allowed in generic types or types contained in generic types.</source> <target state="translated">'No se permiten las instrucciones 'Declare' en tipos genéricos ni en tipos contenidos en tipos genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithConstraintMismatch2"> <source>'{0}' cannot override '{1}' because they differ by type parameter constraints.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque difieren en las restricciones de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsWithConstraintMismatch3"> <source>'{0}' cannot implement '{1}.{2}' because they differ by type parameter constraints.</source> <target state="translated">'{0}' no se puede implementar '{1}.{2}' porque difieren en las restricciones de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_OpenTypeDisallowed"> <source>Type parameters or types constructed with type parameters are not allowed in attribute arguments.</source> <target state="translated">No se permiten los parámetros de tipo o los tipos construidos con parámetros de tipo en argumentos de atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesInvalidOnGenericMethod"> <source>Generic methods cannot use 'Handles' clause.</source> <target state="translated">Los métodos genéricos no pueden usar la cláusula 'Handles'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleNewConstraints"> <source>'New' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'La restricción 'New' no se puede especificar varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_MustInheritForNewConstraint2"> <source>Type argument '{0}' is declared 'MustInherit' and does not satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' está declarado como 'MustInherit' y no satisface la restricción 'New' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSuitableNewForNewConstraint2"> <source>Type argument '{0}' must have a public parameterless instance constructor to satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' debe tener un constructor de instancia sin parámetros público para satisfacer la restricción 'New' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadGenericParamForNewConstraint2"> <source>Type parameter '{0}' must have either a 'New' constraint or a 'Structure' constraint to satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El parámetro de tipo '{0}' debe tener una restricción 'New' o 'Structure' para satisfacer la restricción 'New' del parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewArgsDisallowedForTypeParam"> <source>Arguments cannot be passed to a 'New' used on a type parameter.</source> <target state="translated">No se pueden pasar argumentos a 'New' si se usa en un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRawGenericTypeImport1"> <source>Generic type '{0}' cannot be imported more than once.</source> <target state="translated">El tipo genérico '{0}' no se puede importar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypeArgumentCountOverloadCand1"> <source>Overload resolution failed because no accessible '{0}' accepts this number of type arguments.</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso acepta este número de argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeArgsUnexpected"> <source>Type arguments unexpected.</source> <target state="translated">Argumentos de tipo no esperados.</target> <note /> </trans-unit> <trans-unit id="ERR_NameSameAsMethodTypeParam1"> <source>'{0}' is already declared as a type parameter of this method.</source> <target state="translated">'{0}' ya se declaró como parámetro de tipo de este método.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamNameFunctionNameCollision"> <source>Type parameter cannot have the same name as its defining function.</source> <target state="translated">El parámetro de tipo no puede tener el mismo nombre que la función que lo define.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConstraintSyntax"> <source>Type or 'New' expected.</source> <target state="translated">Se esperaba un tipo o 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_OfExpected"> <source>'Of' required when specifying type arguments for a generic type or method.</source> <target state="translated">'Se requiere 'Of' cuando se especifican argumentos de tipo para un tipo o método genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayOfRawGenericInvalid"> <source>'(' unexpected. Arrays of uninstantiated generic types are not allowed.</source> <target state="translated">'(' inesperado. No se permiten matrices de tipos genéricos sin instancias.</target> <note /> </trans-unit> <trans-unit id="ERR_ForEachAmbiguousIEnumerable1"> <source>'For Each' on type '{0}' is ambiguous because the type implements multiple instantiations of 'System.Collections.Generic.IEnumerable(Of T)'.</source> <target state="translated">'La instrucción 'For Each' del tipo '{0}' es ambigua porque el tipo implementa varias creaciones de instancias de 'System.Collections.Generic.IEnumerable(Of T)'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOperatorGenericParam1"> <source>'IsNot' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a type parameter with no class constraint.</source> <target state="translated">'El operando 'IsNot' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un parámetro de tipo sin restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamQualifierDisallowed"> <source>Type parameters cannot be used as qualifiers.</source> <target state="translated">Los parámetros de tipo no se pueden usar como calificadores.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamMissingCommaOrRParen"> <source>Comma or ')' expected.</source> <target state="translated">Se esperaba una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamMissingAsCommaOrRParen"> <source>'As', comma or ')' expected.</source> <target state="translated">'Se esperaba 'As', una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleReferenceConstraints"> <source>'Class' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'No se puede especificar la restricción 'Class' varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleValueConstraints"> <source>'Structure' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'La restricción 'Structure' no se puede especificar varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewAndValueConstraintsCombined"> <source>'New' constraint and 'Structure' constraint cannot be combined.</source> <target state="translated">'No se pueden combinar las restricciones 'New' y 'Structure'.</target> <note /> </trans-unit> <trans-unit id="ERR_RefAndValueConstraintsCombined"> <source>'Class' constraint and 'Structure' constraint cannot be combined.</source> <target state="translated">'No se pueden combinar las restricciones 'Class' y 'Structure'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForStructConstraint2"> <source>Type argument '{0}' does not satisfy the 'Structure' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no satisface la restricción 'Structure' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForRefConstraint2"> <source>Type argument '{0}' does not satisfy the 'Class' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no satisface la restricción 'Class' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RefAndClassTypeConstrCombined"> <source>'Class' constraint and a specific class type constraint cannot be combined.</source> <target state="translated">'La restricción 'Class' no se puede combinar con una restricción de tipo de clase específica.</target> <note /> </trans-unit> <trans-unit id="ERR_ValueAndClassTypeConstrCombined"> <source>'Structure' constraint and a specific class type constraint cannot be combined.</source> <target state="translated">'La restricción 'Structure' no se puede combinar con una restricción de tipo de clase específica.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashIndirectIndirect4"> <source>Indirect constraint '{0}' obtained from the type parameter constraint '{1}' conflicts with the indirect constraint '{2}' obtained from the type parameter constraint '{3}'.</source> <target state="translated">La restricción '{0}' indirecta obtenida de la restricción '{1}' del parámetro de tipo entra en conflicto con la restricción '{2}' indirecta obtenida de la restricción '{3}' del parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashDirectIndirect3"> <source>Constraint '{0}' conflicts with the indirect constraint '{1}' obtained from the type parameter constraint '{2}'.</source> <target state="translated">La restricción '{0}' entra en conflicto con la restricción indirecta '{1}' obtenida de la restricción de parámetro de tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashIndirectDirect3"> <source>Indirect constraint '{0}' obtained from the type parameter constraint '{1}' conflicts with the constraint '{2}'.</source> <target state="translated">La restricción '{0}' indirecta obtenida de la restricción '{1}' del parámetro de tipo entra en conflicto con la restricción '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintCycleLink2"> <source> '{0}' is constrained to '{1}'.</source> <target state="translated"> '{0}' se restringe a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintCycle2"> <source>Type parameter '{0}' cannot be constrained to itself: {1}</source> <target state="translated">El parámetro de tipo '{0}' no se puede restringir a sí mismo: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamWithStructConstAsConst"> <source>Type parameter with a 'Structure' constraint cannot be used as a constraint.</source> <target state="translated">El parámetro de tipo con una restricción 'Structure' no se puede usar como restricción.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableDisallowedForStructConstr1"> <source>'System.Nullable' does not satisfy the 'Structure' constraint for type parameter '{0}'. Only non-nullable 'Structure' types are allowed.</source> <target state="translated">'System.Nullable' no satisface la restricción 'Structure' del parámetro de tipo '{0}'. Solo se permiten tipos 'Structure' que no acepten valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingDirectConstraints3"> <source>Constraint '{0}' conflicts with the constraint '{1}' already specified for type parameter '{2}'.</source> <target state="translated">La restricción '{0}' entra en conflicto con la restricción '{1}' especificada para el parámetro de tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceUnifiesWithInterface2"> <source>Cannot inherit interface '{0}' because it could be identical to interface '{1}' for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseUnifiesWithInterfaces3"> <source>Cannot inherit interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceBaseUnifiesWithBase4"> <source>Cannot inherit interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' from which the interface '{3}' inherits for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' de la que la interfaz '{3}' hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceUnifiesWithBase3"> <source>Cannot inherit interface '{0}' because it could be identical to interface '{1}' from which the interface '{2}' inherits for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' de la que la interfaz '{2}' hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsBaseUnifiesWithInterfaces3"> <source>Cannot implement interface '{0}' because the interface '{1}' from which it inherits could be identical to implemented interface '{2}' for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' implementada para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsInterfaceBaseUnifiesWithBase4"> <source>Cannot implement interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' from which the implemented interface '{3}' inherits for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' de la que la interfaz '{3}' implementada hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsInterfaceUnifiesWithBase3"> <source>Cannot implement interface '{0}' because it could be identical to interface '{1}' from which the implemented interface '{2}' inherits for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' de la que la interfaz '{2}' implementada hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionalsCantBeStructGenericParams"> <source>Generic parameters used as optional parameter types must be class constrained.</source> <target state="translated">Los parámetros genéricos usados como tipos de parámetro opcionales deben estar restringidos por clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNullableMethod"> <source>Methods of 'System.Nullable(Of T)' cannot be used as operands of the 'AddressOf' operator.</source> <target state="translated">No se pueden usar los métodos de 'System.Nullable(Of T)' como operandos del operador 'AddressOf'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorNullable1"> <source>'Is' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a nullable type.</source> <target state="translated">'El operando 'Is' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un tipo que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOperatorNullable1"> <source>'IsNot' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a nullable type.</source> <target state="translated">'El operando 'IsNot' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un tipo que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_ShadowingTypeOutsideClass1"> <source>'{0}' cannot be declared 'Shadows' outside of a class, structure, or interface.</source> <target state="translated">'{0}' no se puede declarar como 'Shadows' fuera de una clase, estructura o interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertySetParamCollisionWithValue"> <source>Property parameters cannot have the name 'Value'.</source> <target state="translated">Los parámetros de propiedad no pueden tener el nombre 'Value'.</target> <note /> </trans-unit> <trans-unit id="ERR_SxSIndirectRefHigherThanDirectRef3"> <source>The project currently contains references to more than one version of '{0}', a direct reference to version {2} and an indirect reference to version {1}. Change the direct reference to use version {1} (or higher) of {0}.</source> <target state="translated">El proyecto contiene actualmente referencias a más de una versión de '{0}', una referencia directa a la versión {2} y una referencia indirecta a la versión {1}. Cambie la referencia directa para que use la versión {1} (o posterior) de {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateReferenceStrong"> <source>Multiple assemblies with equivalent identity have been imported: '{0}' and '{1}'. Remove one of the duplicate references.</source> <target state="translated">Se han importado varios ensamblados con identidad equivalente: '{0}' y '{1}'. Quite una de las referencias duplicadas.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateReference2"> <source>Project already has a reference to assembly '{0}'. A second reference to '{1}' cannot be added.</source> <target state="translated">El proyecto ya tiene una referencia al ensamblado '{0}'. No se puede agregar una segunda referencia a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCallOrIndex"> <source>Illegal call expression or index expression.</source> <target state="translated">Expresión de llamada o de índice no válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictDefaultPropertyAttribute"> <source>Conflict between the default property and the 'DefaultMemberAttribute' defined on '{0}'.</source> <target state="translated">Hay un conflicto entre la propiedad predeterminada y el atributo 'DefaultMemberAttribute' definido en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeUuid2"> <source>'{0}' cannot be applied because the format of the GUID '{1}' is not correct.</source> <target state="translated">'No se puede aplicar '{0}' porque el formato del GUID '{1}' no es correcto.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassAndReservedAttribute1"> <source>'Microsoft.VisualBasic.ComClassAttribute' and '{0}' cannot both be applied to the same class.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' y '{0}' no se pueden aplicar a la vez a la misma clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassRequiresPublicClass2"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to '{0}' because its container '{1}' is not declared 'Public'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a '{0}' porque su contenedor '{1}' no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassReservedDispIdZero1"> <source>'System.Runtime.InteropServices.DispIdAttribute' cannot be applied to '{0}' because 'Microsoft.VisualBasic.ComClassAttribute' reserves zero for the default property.</source> <target state="translated">'System.Runtime.InteropServices.DispIdAttribute' no se puede aplicar a '{0}' porque 'Microsoft.VisualBasic.ComClassAttribute' reserva el cero para la propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassReservedDispId1"> <source>'System.Runtime.InteropServices.DispIdAttribute' cannot be applied to '{0}' because 'Microsoft.VisualBasic.ComClassAttribute' reserves values less than zero.</source> <target state="translated">'System.Runtime.InteropServices.DispIdAttribute' no se puede aplicar a '{0}' porque 'Microsoft.VisualBasic.ComClassAttribute' reserva valores inferiores a cero.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassDuplicateGuids1"> <source>'InterfaceId' and 'EventsId' parameters for 'Microsoft.VisualBasic.ComClassAttribute' on '{0}' cannot have the same value.</source> <target state="translated">'Los parámetros 'InterfaceId' y 'EventsId' para 'Microsoft.VisualBasic.ComClassAttribute' en '{0}' no pueden tener el mismo valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassCantBeAbstract0"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to a class that is declared 'MustInherit'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a una clase declarada como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassRequiresPublicClass1"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to '{0}' because it is not declared 'Public'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a '{0}' porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnknownOperator"> <source>Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</source> <target state="translated">La declaración del operador debe ser uno de los siguientes valores: +, -, *, \\, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateConversionCategoryUsed"> <source>'Widening' and 'Narrowing' cannot be combined.</source> <target state="translated">'Widening' y 'Narrowing' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorNotOverloadable"> <source>Operator is not overloadable. Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</source> <target state="translated">El operador no se puede sobrecargar. La declaración del operador debe tener uno de los siguientes valores: +, -, *, \\, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidHandles"> <source>'Handles' is not valid on operator declarations.</source> <target state="translated">'Handles' no es válido en declaraciones de operadores.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplements"> <source>'Implements' is not valid on operator declarations.</source> <target state="translated">'Implements' no es válido en declaraciones de operadores.</target> <note /> </trans-unit> <trans-unit id="ERR_EndOperatorExpected"> <source>'End Operator' expected.</source> <target state="translated">'Se esperaba 'End Operator'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndOperatorNotAtLineStart"> <source>'End Operator' must be the first statement on a line.</source> <target state="translated">'End Operator' debe ser la primera instrucción de una línea.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndOperator"> <source>'End Operator' must be preceded by a matching 'Operator'.</source> <target state="translated">'End Operator' debe ir precedida de una instrucción 'Operator' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitOperatorNotValid"> <source>'Exit Operator' is not valid. Use 'Return' to exit an operator.</source> <target state="translated">'Exit Operator' no es válido. Use 'Return' para salir de un operador.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayIllegal1"> <source>'{0}' parameters cannot be declared 'ParamArray'.</source> <target state="translated">'Los parámetros '{0}' no se pueden declarar como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionalIllegal1"> <source>'{0}' parameters cannot be declared 'Optional'.</source> <target state="translated">'Los parámetros '{0}' no se pueden declarar como 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorMustBePublic"> <source>Operators must be declared 'Public'.</source> <target state="translated">Los operadores se deben declarar como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorMustBeShared"> <source>Operators must be declared 'Shared'.</source> <target state="translated">Los operadores se deben declarar como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadOperatorFlags1"> <source>Operators cannot be declared '{0}'.</source> <target state="translated">Los operadores no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OneParameterRequired1"> <source>Operator '{0}' must have one parameter.</source> <target state="translated">El operador '{0}' debe tener un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_TwoParametersRequired1"> <source>Operator '{0}' must have two parameters.</source> <target state="translated">El operador '{0}' debe tener dos parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_OneOrTwoParametersRequired1"> <source>Operator '{0}' must have either one or two parameters.</source> <target state="translated">El operador '{0}' debe tener uno o dos parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvMustBeWideningOrNarrowing"> <source>Conversion operators must be declared either 'Widening' or 'Narrowing'.</source> <target state="translated">Los operadores de conversión se deben declarar como 'Widening' o 'Narrowing'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorDeclaredInModule"> <source>Operators cannot be declared in modules.</source> <target state="translated">Los operadores no se pueden declarar en los módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSpecifierOnNonConversion1"> <source>Only conversion operators can be declared '{0}'.</source> <target state="translated">Solo los operadores de conversión se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnaryParamMustBeContainingType1"> <source>Parameter of this unary operator must be of the containing type '{0}'.</source> <target state="translated">El parámetro de este operador unario debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryParamMustBeContainingType1"> <source>At least one parameter of this binary operator must be of the containing type '{0}'.</source> <target state="translated">Al menos un parámetro de este operador binario debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvParamMustBeContainingType1"> <source>Either the parameter type or the return type of this conversion operator must be of the containing type '{0}'.</source> <target state="translated">El tipo de parámetro o el tipo de valor devuelto de este operador de conversión debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorRequiresBoolReturnType1"> <source>Operator '{0}' must have a return type of Boolean.</source> <target state="translated">El operador '{0}' debe tener un tipo de valor devuelto Boolean.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToSameType"> <source>Conversion operators cannot convert from a type to the same type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo al mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToInterfaceType"> <source>Conversion operators cannot convert to an interface type.</source> <target state="translated">Los operadores de conversión no se pueden convertir en un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToBaseType"> <source>Conversion operators cannot convert from a type to its base type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo a su tipo base.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToDerivedType"> <source>Conversion operators cannot convert from a type to its derived type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo a su tipo derivado.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToObject"> <source>Conversion operators cannot convert to Object.</source> <target state="translated">Los operadores de conversión no se pueden convertir en Object.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromInterfaceType"> <source>Conversion operators cannot convert from an interface type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromBaseType"> <source>Conversion operators cannot convert from a base type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo base.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromDerivedType"> <source>Conversion operators cannot convert from a derived type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo derivado.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromObject"> <source>Conversion operators cannot convert from Object.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de Object.</target> <note /> </trans-unit> <trans-unit id="ERR_MatchingOperatorExpected2"> <source>Matching '{0}' operator is required for '{1}'.</source> <target state="translated">Se requiere un operador '{0}' coincidente para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableLogicalOperator3"> <source>Return and parameter types of '{0}' must be '{1}' to be used in a '{2}' expression.</source> <target state="translated">Los tipos de valor devuelto y de parámetro de '{0}' deben ser '{1}' para usarse en una expresión '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConditionOperatorRequired3"> <source>Type '{0}' must define operator '{1}' to be used in a '{2}' expression.</source> <target state="translated">El tipo '{0}' debe definir el operador '{1}' que se va a usar en una expresión '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CopyBackTypeMismatch3"> <source>Cannot copy the value of 'ByRef' parameter '{0}' back to the matching argument because type '{1}' cannot be converted to type '{2}'.</source> <target state="translated">No se puede volver a copiar el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente porque el tipo '{1}' no se puede convertir en el tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ForLoopOperatorRequired2"> <source>Type '{0}' must define operator '{1}' to be used in a 'For' statement.</source> <target state="translated">El tipo '{0}' debe definir el operador '{1}' que se va a usar en una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableForLoopOperator2"> <source>Return and parameter types of '{0}' must be '{1}' to be used in a 'For' statement.</source> <target state="translated">Los tipos de valor devuelto y de parámetro de '{0}' deben ser '{1}' para usarse en una expresión 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableForLoopRelOperator2"> <source>Parameter types of '{0}' must be '{1}' to be used in a 'For' statement.</source> <target state="translated">Los tipos de parámetro de '{0}' deben ser '{1}' para usarse en una expresión 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorRequiresIntegerParameter1"> <source>Operator '{0}' must have a second parameter of type 'Integer' or 'Integer?'.</source> <target state="translated">El operador '{0}' debe tener un segundo parámetro de tipo 'Integer' o 'Integer?'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyNullableOnBoth"> <source>Nullable modifier cannot be specified on both a variable and its type.</source> <target state="translated">No se puede especificar un modificador que acepte valores NULL en una variable y en su tipo a la vez.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForStructConstraintNull"> <source>Type '{0}' must be a value type or a type argument constrained to 'Structure' in order to be used with 'Nullable' or nullable modifier '?'.</source> <target state="translated">El tipo '{0}' debe ser un tipo de valor o un argumento de tipo restringido a 'Structure' para poder usarlo con 'Nullable' o el modificador '?' que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyArrayAndNullableOnBoth"> <source>Nullable modifier '?' and array modifiers '(' and ')' cannot be specified on both a variable and its type.</source> <target state="translated">El modificador '?' que acepta valores NULL y los modificadores de matriz '(' y ')' no se pueden especificar en una variable y su tipo a la vez.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyTypeCharacterOnIIF"> <source>Expressions used with an 'If' expression cannot contain type characters.</source> <target state="translated">Las expresiones que se usan con una expresión 'If' no pueden contener caracteres de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFName"> <source>'If' operands cannot be named arguments.</source> <target state="translated">'Los operandos 'If' no pueden ser argumentos con nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFConversion"> <source>Cannot infer a common type for the second and third operands of the 'If' operator. One must have a widening conversion to the other.</source> <target state="translated">No se puede inferir un tipo común para los operandos segundo y tercero del operador 'If'. Uno de ellos debe tener una conversión de ampliación que lo convierta en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCondTypeInIIF"> <source>First operand in a binary 'If' expression must be a nullable value type, a reference type, or an unconstrained generic type.</source> <target state="translated">El primer operando de una expresión "If" binaria debe ser un tipo de valor que acepte valores NULL, un tipo de referencia o un tipo genérico sin restricciones.</target> <note /> </trans-unit> <trans-unit id="ERR_CantCallIIF"> <source>'If' operator cannot be used in a 'Call' statement.</source> <target state="translated">'El operador 'If' no se puede usar en una instrucción 'Call'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyAsNewAndNullable"> <source>Nullable modifier cannot be specified in variable declarations with 'As New'.</source> <target state="translated">No se puede especificar un modificador que acepte valores NULL en declaraciones de variable con 'As New'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFConversion2"> <source>Cannot infer a common type for the first and second operands of the binary 'If' operator. One must have a widening conversion to the other.</source> <target state="translated">No se puede inferir un tipo común para los operandos primero y segundo del operador 'If' binario. Uno de ellos debe tener una conversión de ampliación que lo convierta en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNullTypeInCCExpression"> <source>Nullable types are not allowed in conditional compilation expressions.</source> <target state="translated">No se permiten tipos que acepten valores NULL en expresiones de compilación condicionales.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableImplicit"> <source>Nullable modifier cannot be used with a variable whose implicit type is 'Object'.</source> <target state="translated">No se puede usar un modificador que acepte valores Null con una variable cuyo tipo implícito sea 'Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRuntimeHelper"> <source>Requested operation is not available because the runtime library function '{0}' is not defined.</source> <target state="translated">La operación solicitada no está disponible porque no está definida la función de biblioteca en tiempo de ejecución '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterGlobalNameSpace"> <source>'Global' must be followed by '.' and an identifier.</source> <target state="translated">'Global' debe ir seguido de '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_NoGlobalExpectedIdentifier"> <source>'Global' not allowed in this context; identifier expected.</source> <target state="translated">'Global' no se permite en este contexto; se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_NoGlobalInHandles"> <source>'Global' not allowed in handles; local name expected.</source> <target state="translated">'Global' no se permite en identificadores; se esperaba el nombre local.</target> <note /> </trans-unit> <trans-unit id="ERR_ElseIfNoMatchingIf"> <source>'ElseIf' must be preceded by a matching 'If' or 'ElseIf'.</source> <target state="translated">'ElseIf' debe ir precedida de una instrucción 'If' o 'ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeConstructor2"> <source>Attribute constructor has a 'ByRef' parameter of type '{0}'; cannot use constructors with byref parameters to apply the attribute.</source> <target state="translated">El constructor de atributos tiene un parámetro 'ByRef' del tipo '{0}'; no se pueden usar constructores con parámetros byref para aplicar el atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_EndUsingWithoutUsing"> <source>'End Using' must be preceded by a matching 'Using'.</source> <target state="translated">'End Using' debe ir precedida de una instrucción 'Using' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndUsing"> <source>'Using' must end with a matching 'End Using'.</source> <target state="translated">'Using' debe terminar con una instrucción 'End Using' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoUsing"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'Using' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'Using' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingRequiresDisposePattern"> <source>'Using' operand of type '{0}' must implement 'System.IDisposable'.</source> <target state="translated">'El operando 'Using' del tipo '{0}' debe implementar 'System.IDisposable'.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingResourceVarNeedsInitializer"> <source>'Using' resource variable must have an explicit initialization.</source> <target state="translated">'La variable de recursos 'Using' debe tener una inicialización explícita.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingResourceVarCantBeArray"> <source>'Using' resource variable type can not be array type.</source> <target state="translated">'El tipo de variable del recurso 'Using' no puede ser un tipo de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_OnErrorInUsing"> <source>'On Error' statements are not valid within 'Using' statements.</source> <target state="translated">'Las instrucciones 'On Error' no son válidas dentro de instrucciones 'Using'.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyNameConflictInMyCollection"> <source>'{0}' has the same name as a member used for type '{1}' exposed in a 'My' group. Rename the type or its enclosing namespace.</source> <target state="translated">'{0}' tiene el mismo nombre que un miembro usado para el tipo '{1}' expuesto en un grupo 'My'. Cambie el nombre del tipo o de su espacio de nombres envolvente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplicitVar"> <source>Implicit variable '{0}' is invalid because of '{1}'.</source> <target state="translated">La variable implícita '{0}' no es válida por '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObjectInitializerRequiresFieldName"> <source>Object initializers require a field name to initialize.</source> <target state="translated">Los inicializadores de objeto requieren un nombre de campo para inicializar.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedFrom"> <source>'From' expected.</source> <target state="translated">'Se esperaba 'From'.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaBindingMismatch1"> <source>Nested function does not have the same signature as delegate '{0}'.</source> <target state="translated">La función anidada no tiene la misma firma que el delegado '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaBindingMismatch2"> <source>Nested sub does not have a signature that is compatible with delegate '{0}'.</source> <target state="translated">El elemento sub anidado no tiene una firma compatible con el delegado '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftByRefParamQuery1"> <source>'ByRef' parameter '{0}' cannot be used in a query expression.</source> <target state="translated">'El parámetro '{0}' de 'ByRef' no se puede usar en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionTreeNotSupported"> <source>Expression cannot be converted into an expression tree.</source> <target state="translated">La expresión no se puede convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftStructureMeQuery"> <source>Instance members and 'Me' cannot be used within query expressions in structures.</source> <target state="translated">No se pueden usar miembros de instancia ni 'Me' en expresiones de consulta en estructuras.</target> <note /> </trans-unit> <trans-unit id="ERR_InferringNonArrayType1"> <source>Variable cannot be initialized with non-array type '{0}'.</source> <target state="translated">Una variable no se puede inicializar con un tipo '{0}' que no sea de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ByRefParamInExpressionTree"> <source>References to 'ByRef' parameters cannot be converted to an expression tree.</source> <target state="translated">Las referencias a parámetros 'ByRef' no se pueden convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAnonTypeMemberName1"> <source>Anonymous type member or property '{0}' is already declared.</source> <target state="translated">El miembro de tipo anónimo o la propiedad '{0}' están ya declarados.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAnonymousTypeForExprTree"> <source>Cannot convert anonymous type to an expression tree because a property of the type is used to initialize another property.</source> <target state="translated">No se puede convertir el tipo anónimo en un árbol de expresión porque una propiedad del tipo se usa para inicializar otra propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftAnonymousType1"> <source>Anonymous type property '{0}' cannot be used in the definition of a lambda expression within the same initialization list.</source> <target state="translated">No se puede usar la propiedad de tipo anónimo '{0}' en la definición de una expresión lambda en la misma lista de inicialización.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionOnlyAllowedOnModuleSubOrFunction"> <source>'Extension' attribute can be applied only to 'Module', 'Sub', or 'Function' declarations.</source> <target state="translated">'El atributo 'Extension' solo se puede aplicar a las declaraciones 'Module', 'Sub' o 'Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodNotInModule"> <source>Extension methods can be defined only in modules.</source> <target state="translated">Los métodos de extensión se pueden definir solo en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodNoParams"> <source>Extension methods must declare at least one parameter. The first parameter specifies which type to extend.</source> <target state="translated">Los métodos de extensión deben declarar al menos un parámetro. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOptionalFirstArg"> <source>'Optional' cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.</source> <target state="translated">'No se puede aplicar 'Optional' al primer parámetro de un método de extensión. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodParamArrayFirstArg"> <source>'ParamArray' cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.</source> <target state="translated">'No se puede aplicar 'ParamArray' al primer parámetro de un método de extensión. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeFieldNameInference"> <source>Anonymous type member name can be inferred only from a simple or qualified name with no arguments.</source> <target state="translated">El nombre de miembro de tipo anónimo solo se puede inferir a partir de un nombre simple o completo sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotMemberOfAnonymousType2"> <source>'{0}' is not a member of '{1}'; it does not exist in the current context.</source> <target state="translated">'{0}' no es un miembro de '{1}'; no existe en el contexto actual.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionAttributeInvalid"> <source>The custom-designed version of 'System.Runtime.CompilerServices.ExtensionAttribute' found by the compiler is not valid. Its attribute usage flags must be set to allow assemblies, classes, and methods.</source> <target state="translated">La versión con diseño personalizado de 'System.Runtime.CompilerServices.ExtensionAttribute' que encontró el compilador no es válida. Se deben establecer sus marcas de uso de atributos para que permitan ensamblados, clases y métodos.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypePropertyOutOfOrder1"> <source>Anonymous type member property '{0}' cannot be used to infer the type of another member property because the type of '{0}' is not yet established.</source> <target state="translated">La propiedad '{0}' del miembro de tipo anónimo no se puede usar para inferir el tipo de otra propiedad de miembro porque el tipo de '{0}' no se ha establecido aún.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeDisallowsTypeChar"> <source>Type characters cannot be used in anonymous type declarations.</source> <target state="translated">No se pueden usar caracteres de tipo en declaraciones de tipos anónimos.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleLiteralDisallowsTypeChar"> <source>Type characters cannot be used in tuple literals.</source> <target state="translated">No se pueden usar caracteres de tipo en los literales de tupla.</target> <note /> </trans-unit> <trans-unit id="ERR_NewWithTupleTypeSyntax"> <source>'New' cannot be used with tuple type. Use a tuple literal expression instead.</source> <target state="translated">'"New" no se puede usar con un tipo de tupla. Use una expresión literal de tupla en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_PredefinedValueTupleTypeMustBeStruct"> <source>Predefined type '{0}' must be a structure.</source> <target state="translated">El tipo predefinido '{0}' debe ser una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodUncallable1"> <source>Extension method '{0}' has type constraints that can never be satisfied.</source> <target state="translated">El método de extensión '{0}' tiene restricciones de tipo que no se pueden cumplir nunca.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOverloadCandidate3"> <source> Extension method '{0}' defined in '{1}': {2}</source> <target state="translated"> Método de extensión '{0}' definido en '{1}': {2}</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatch"> <source>Method does not have a signature compatible with the delegate.</source> <target state="translated">El método no tiene una firma compatible con el delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingTypeInferenceFails"> <source>Type arguments could not be inferred from the delegate.</source> <target state="translated">No se pudieron inferir los argumentos de tipo a partir del delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs"> <source>Too many arguments.</source> <target state="translated">Demasiados argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted1"> <source>Parameter '{0}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice1"> <source>Parameter '{0}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound1"> <source>'{0}' is not a method parameter.</source> <target state="translated">'{0}' no es un parámetro de método.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument1"> <source>Argument not specified for parameter '{0}'.</source> <target state="translated">No se ha especificado ningún argumento para el parámetro '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam1"> <source>Type parameter '{0}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOverloadCandidate2"> <source> Extension method '{0}' defined in '{1}'.</source> <target state="translated"> Método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeNeedField"> <source>Anonymous type must contain at least one member.</source> <target state="translated">El tipo anónimo debe contener al menos un miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeNameWithoutPeriod"> <source>Anonymous type member name must be preceded by a period.</source> <target state="translated">El nombre de un miembro de tipo anónimo debe ir precedido de un punto.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeExpectedIdentifier"> <source>Identifier expected, preceded with a period.</source> <target state="translated">Se esperaba un identificador precedido por un punto.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs2"> <source>Too many arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Demasiados argumentos para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted3"> <source>Parameter '{0}' in extension method '{1}' defined in '{2}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' del método de extensión '{1}' definido en '{2}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice3"> <source>Parameter '{0}' of extension method '{1}' defined in '{2}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' del método de extensión '{1}' definido en '{2}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound3"> <source>'{0}' is not a parameter of extension method '{1}' defined in '{2}'.</source> <target state="translated">'{0}' no es un parámetro del método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument3"> <source>Argument not specified for parameter '{0}' of extension method '{1}' defined in '{2}'.</source> <target state="translated">No se especificó un argumento para el parámetro '{0}' del método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam3"> <source>Type parameter '{0}' for extension method '{1}' defined in '{2}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}' para el método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewGenericArguments2"> <source>Too few type arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Argumentos de tipo insuficientes para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyGenericArguments2"> <source>Too many type arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Demasiados argumentos de tipo para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedInOrEq"> <source>'In' or '=' expected.</source> <target state="translated">'Se esperaba 'In' o '='.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQueryableSource"> <source>Expression of type '{0}' is not queryable. Make sure you are not missing an assembly reference and/or namespace import for the LINQ provider.</source> <target state="translated">No se puede consultar una expresión de tipo '{0}'. Compruebe que no falta ninguna referencia de ensamblado ni ninguna importación de espacio de nombres para el proveedor LINQ.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryOperatorNotFound"> <source>Definition of method '{0}' is not accessible in this context.</source> <target state="translated">La definición del método '{0}' no es accesible en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotUseOnErrorGotoWithClosure"> <source>Method cannot contain both a '{0}' statement and a definition of a variable that is used in a lambda or query expression.</source> <target state="translated">El método no puede contener una instrucción '{0}' y una definición de una variable que se use en una expresión lambda o de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotGotoNonScopeBlocksWithClosure"> <source>'{0}{1}' is not valid because '{2}' is inside a scope that defines a variable that is used in a lambda or query expression.</source> <target state="translated">'{0}{1}' no es válido porque '{2}' está dentro de un ámbito que define una variable que se usa en una expresión lambda o de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeQuery"> <source>Instance of restricted type '{0}' cannot be used in a query expression.</source> <target state="translated">La instancia del tipo restringido '{0}' no se puede usar en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonymousTypeFieldNameInference"> <source>Range variable name can be inferred only from a simple or qualified name with no arguments.</source> <target state="translated">El nombre de una variable de rango solo se puede inferir a partir de un nombre simple o completo sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryDuplicateAnonTypeMemberName1"> <source>Range variable '{0}' is already declared.</source> <target state="translated">La variable de rango '{0}' ya está declarada.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonymousTypeDisallowsTypeChar"> <source>Type characters cannot be used in range variable declarations.</source> <target state="translated">No se pueden usar caracteres de tipo en declaraciones de variable de rango.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyInClosure"> <source>'ReadOnly' variable cannot be the target of an assignment in a lambda expression inside a constructor.</source> <target state="translated">'La variable 'ReadOnly' no puede ser el destino de una asignación en una expresión lambda dentro de un constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_ExprTreeNoMultiDimArrayCreation"> <source>Multi-dimensional array cannot be converted to an expression tree.</source> <target state="translated">Una matriz multidimensional no se puede convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExprTreeNoLateBind"> <source>Late binding operations cannot be converted to an expression tree.</source> <target state="translated">Las operaciones de enlace en tiempo de ejecución no se pueden convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedBy"> <source>'By' expected.</source> <target state="translated">'Se esperaba 'By'.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryInvalidControlVariableName1"> <source>Range variable name cannot match the name of a member of the 'Object' class.</source> <target state="translated">El nombre de una variable de rango no puede coincidir con el nombre de un miembro de la clase 'Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIn"> <source>'In' expected.</source> <target state="translated">'Se esperaba 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryNameNotDeclared"> <source>Name '{0}' is either not declared or not in the current scope.</source> <target state="translated">El nombre '{0}' no está declarado o no está en el ámbito actual.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedFunctionArgumentNarrowing3"> <source>Return type of nested function matching parameter '{0}' narrows from '{1}' to '{2}'.</source> <target state="translated">El tipo de valor devuelto de la función anidada coincidente con el parámetro '{0}' se reduce de '{1}' a '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonTypeFieldXMLNameInference"> <source>Anonymous type member name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.</source> <target state="translated">El nombre de un miembro de tipo anónimo no se puede inferir de un identificador XML que no sea un identificador de Visual Basic válido.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonTypeFieldXMLNameInference"> <source>Range variable name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.</source> <target state="translated">El nombre de una variable de rango no se puede inferir de un identificador XML que no sea un identificador de Visual Basic válido.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedInto"> <source>'Into' expected.</source> <target state="translated">'Se esperaba 'Into'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnAggregation"> <source>Aggregate function name cannot be used with a type character.</source> <target state="translated">El nombre de una función de agregado no se puede usar con un carácter de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOn"> <source>'On' expected.</source> <target state="translated">'Se esperaba 'On'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEquals"> <source>'Equals' expected.</source> <target state="translated">'Se esperaba 'Equals'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAnd"> <source>'And' expected.</source> <target state="translated">'Se esperaba 'And'.</target> <note /> </trans-unit> <trans-unit id="ERR_EqualsTypeMismatch"> <source>'Equals' cannot compare a value of type '{0}' with a value of type '{1}'.</source> <target state="translated">'Equals' no puede comparar un valor de tipo '{0}' con un valor de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EqualsOperandIsBad"> <source>You must reference at least one range variable on both sides of the 'Equals' operator. Range variable(s) {0} must appear on one side of the 'Equals' operator, and range variable(s) {1} must appear on the other.</source> <target state="translated">Debe hacer referencia al menos a una variable de rango en ambos lados del operador 'Equals'. La(s) variable(s) de rango {0} debe(n) aparecer en un lado del operador 'Equals' y la(s) variable(s) de rango {1} debe(n) aparecer en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNotDelegate1"> <source>Lambda expression cannot be converted to '{0}' because '{0}' is not a delegate type.</source> <target state="translated">La expresión lambda no se puede convertir en '{0}' porque '{0}' no es un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNotCreatableDelegate1"> <source>Lambda expression cannot be converted to '{0}' because type '{0}' is declared 'MustInherit' and cannot be created.</source> <target state="translated">La expresión lambda no se puede convertir en '{0}' porque el tipo '{0}' está declarado como 'MustInherit' y no se puede crear.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotInferNullableForVariable1"> <source>A nullable type cannot be inferred for variable '{0}'.</source> <target state="translated">No se puede inferir un tipo que acepte valores NULL para la variable '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableTypeInferenceNotSupported"> <source>Nullable type inference is not supported in this context.</source> <target state="translated">No se admite la inferencia de tipos que acepten valores NULL en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedJoin"> <source>'Join' expected.</source> <target state="translated">'Se esperaba 'Join'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableParameterMustSpecifyType"> <source>Nullable parameters must specify a type.</source> <target state="translated">Los parámetros que aceptan valores NULL deben especificar un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_IterationVariableShadowLocal2"> <source>Range variable '{0}' hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.</source> <target state="translated">La variable de rango '{0}' oculta una variable en un bloque envolvente, una variable de rango definida anteriormente o una variable declarada de forma implícita en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdasCannotHaveAttributes"> <source>Attributes cannot be applied to parameters of lambda expressions.</source> <target state="translated">No se puede aplicar atributos a parámetros de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaInSelectCaseExpr"> <source>Lambda expressions are not valid in the first expression of a 'Select Case' statement.</source> <target state="translated">Las expresiones lambda no son válidas en la primera expresión de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfInSelectCaseExpr"> <source>'AddressOf' expressions are not valid in the first expression of a 'Select Case' statement.</source> <target state="translated">'Las expresiones 'AddressOf' no son válidas en la primera expresión de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableCharNotSupported"> <source>The '?' character cannot be used here.</source> <target state="translated">No se puede usar aquí el carácter '?'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftStructureMeLambda"> <source>Instance members and 'Me' cannot be used within a lambda expression in structures.</source> <target state="translated">No se pueden usar miembros de instancia ni 'Me' dentro de una expresión lambda en estructuras.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftByRefParamLambda1"> <source>'ByRef' parameter '{0}' cannot be used in a lambda expression.</source> <target state="translated">'El parámetro '{0}' de 'ByRef' no se puede usar en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeLambda"> <source>Instance of restricted type '{0}' cannot be used in a lambda expression.</source> <target state="translated">La instancia del tipo restringido '{0}' no se puede usar en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaParamShadowLocal1"> <source>Lambda parameter '{0}' hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.</source> <target state="translated">El parámetro lambda '{0}' oculta una variable en un bloque envolvente, una variable de rango definida anteriormente o una variable declarada de forma implícita en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowImplicitObjectLambda"> <source>Option Strict On requires each lambda expression parameter to be declared with an 'As' clause if its type cannot be inferred.</source> <target state="translated">Option Strict On requiere que los parámetros de la expresión lambda estén declarados con una cláusula 'As' si no se puede inferir su tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyParamsOnLambdaParamNoType"> <source>Array modifiers cannot be specified on lambda expression parameter name. They must be specified on its type.</source> <target state="translated">No se pueden especificar modificadores de matriz en el nombre del parámetro de una expresión lambda. Deben especificarse en su tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede resolver especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatchStrictOff2"> <source>Option Strict On does not allow narrowing in implicit type conversions between method '{0}' and delegate '{1}'.</source> <target state="translated">Option Strict On no permite restricciones en conversiones de tipo implícitas entre el método '{0}' y el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleReturnTypeOfMember2"> <source>'{0}' is not accessible in this context because the return type is not accessible.</source> <target state="translated">'{0}' no es accesible en este contexto porque el tipo de valor devuelto no es accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIdentifierOrGroup"> <source>'Group' or an identifier expected.</source> <target state="translated">'Se esperaba 'Group' o un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_UnexpectedGroup"> <source>'Group' not allowed in this context; identifier expected.</source> <target state="translated">'No se permite 'Group' en este contexto; se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatchStrictOff3"> <source>Option Strict On does not allow narrowing in implicit type conversions between extension method '{0}' defined in '{2}' and delegate '{1}'.</source> <target state="translated">Option Strict On no permite reducciones en conversiones de tipo implícito entre el método de extensión '{0}' definido en '{2}' y el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingIncompatible3"> <source>Extension Method '{0}' defined in '{2}' does not have a signature compatible with delegate '{1}'.</source> <target state="translated">El método de extensión '{0}' definido en '{2}' no tiene una firma compatible con el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentNarrowing2"> <source>Argument matching parameter '{0}' narrows to '{1}'.</source> <target state="translated">El parámetro '{0}' correspondiente al argumento se reduce a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadCandidate1"> <source> {0}</source> <target state="translated"> {0}</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyInitializedInStructure"> <source>Auto-implemented Properties contained in Structures cannot have initializers unless they are marked 'Shared'.</source> <target state="translated">Las propiedades implementadas automáticamente contenidas en estructuras no pueden tener inicializadores a menos que se marquen como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsElements"> <source>XML elements cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar elementos XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsAttributes"> <source>XML attributes cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar atributos XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsDescendants"> <source>XML descendant elements cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar elementos descendientes XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOrMemberNotGeneric2"> <source>Extension method '{0}' defined in '{1}' is not generic (or has no free type parameters) and so cannot have type arguments.</source> <target state="translated">El método de extensión '{0}' definido en '{1}' no es genérico (o no tiene parámetros de tipo libre) y, por tanto, no puede tener argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodCannotBeLateBound"> <source>Late-bound extension methods are not supported.</source> <target state="translated">No se admiten métodos de extensión enlazados en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceArrayRankMismatch1"> <source>Cannot infer a data type for '{0}' because the array dimensions do not match.</source> <target state="translated">No se puede inferir un tipo de datos para '{0}' porque las dimensiones de la matriz no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryStrictDisallowImplicitObject"> <source>Type of the range variable cannot be inferred, and late binding is not allowed with Option Strict on. Use an 'As' clause to specify the type.</source> <target state="translated">El tipo de la variable de rango no se puede inferir y el enlace en tiempo de ejecución no se permite con Option Strict activado. Use una cláusula 'As' para especificar el tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotEmbedInterfaceWithGeneric"> <source>Type '{0}' cannot be embedded because it has generic argument. Consider disabling the embedding of interop types.</source> <target state="translated">El tipo '{0}' no se puede incrustar porque tiene un argumento genérico. Puede deshabilitar la incrustación de tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotUseGenericTypeAcrossAssemblyBoundaries"> <source>Type '{0}' cannot be used across assembly boundaries because it has a generic type argument that is an embedded interop type.</source> <target state="translated">El tipo "{0}" no se puede usar en los distintos límites de ensamblado porque tiene un argumento de tipo genérico que es un tipo de interoperabilidad incrustado.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbol2"> <source>'{0}' is obsolete: '{1}'.</source> <target state="translated">'{0}' está obsoleto: '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbol2_Title"> <source>Type or member is obsolete</source> <target state="translated">El tipo o el miembro están obsoletos</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverloadBase4"> <source>{0} '{1}' shadows an overloadable member declared in the base {2} '{3}'. If you want to overload the base method, this method must be declared 'Overloads'.</source> <target state="translated">{0} '{1}' prevalece sobre un miembro que se puede sobrecargar declarado en la base {2} '{3}'. Si quiere sobrecargar el método base, este método se debe declarar como 'Overloads'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverloadBase4_Title"> <source>Member shadows an overloadable member declared in the base type</source> <target state="translated">El miembro crea una instantánea de un miembro que se puede sobrecargar declarado en el tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_OverrideType5"> <source>{0} '{1}' conflicts with {2} '{1}' in the base {3} '{4}' and should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con {2} '{1}' en la base {3} '{4}' y se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_OverrideType5_Title"> <source>Member conflicts with member in the base type and should be declared 'Shadows'</source> <target state="translated">El miembro está en conflicto con el miembro del tipo base y se debe declarar como 'Shadows'</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverride2"> <source>{0} '{1}' shadows an overridable method in the base {2} '{3}'. To override the base method, this method must be declared 'Overrides'.</source> <target state="translated">{0} '{1}' prevalece sobre un método que se puede invalidar en la base {2} '{3}'. Para invalidar el método base, este método se debe declarar como 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverride2_Title"> <source>Member shadows an overridable method in the base type</source> <target state="translated">El miembro crea una instantánea de un método que se puede sobrecargar en el tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_DefaultnessShadowed4"> <source>Default property '{0}' conflicts with the default property '{1}' in the base {2} '{3}'. '{0}' will be the default property. '{0}' should be declared 'Shadows'.</source> <target state="translated">La propiedad predeterminada '{0}' entra en conflicto con la propiedad predeterminada '{1}' en la base {2} '{3}'. '{0}' será la propiedad predeterminada. '{0}' se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_DefaultnessShadowed4_Title"> <source>Default property conflicts with the default property in the base type</source> <target state="translated">La propiedad predeterminada está en conflicto con la propiedad predeterminada del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbolNoMessage1"> <source>'{0}' is obsolete.</source> <target state="translated">'{0}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbolNoMessage1_Title"> <source>Type or member is obsolete</source> <target state="translated">El tipo o el miembro están obsoletos</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration0"> <source>Possible problem detected while building assembly: {0}</source> <target state="translated">Posible problema detectado al compilar el ensamblado: {0}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration0_Title"> <source>Possible problem detected while building assembly</source> <target state="translated">Se ha detectado un posible problema al compilar el ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration1"> <source>Possible problem detected while building assembly '{0}': {1}</source> <target state="translated">Posible problema detectado al compilar el ensamblado '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration1_Title"> <source>Possible problem detected while building assembly</source> <target state="translated">Se ha detectado un posible problema al compilar el ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassNoMembers1"> <source>'Microsoft.VisualBasic.ComClassAttribute' is specified for class '{0}' but '{0}' has no public members that can be exposed to COM; therefore, no COM interfaces are generated.</source> <target state="translated">'Se ha especificado 'Microsoft.VisualBasic.ComClassAttribute' para la clase '{0}', pero '{0}' no tiene miembros públicos que se puedan exponer a COM; por tanto, no se ha generado ninguna interfaz COM.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassNoMembers1_Title"> <source>'Microsoft.VisualBasic.ComClassAttribute' is specified for class but class has no public members that can be exposed to COM</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' está especificado para la clase pero esta no tiene miembros públicos que se puedan exponer en COM</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsMember5"> <source>{0} '{1}' implicitly declares '{2}', which conflicts with a member in the base {3} '{4}', and so the {0} should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' declara implícitamente a '{2}', que entra en conflicto con un miembro de la base {3} '{4}' y, por lo tanto, el {0} se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsMember5_Title"> <source>Property or event implicitly declares type or member that conflicts with a member in the base type</source> <target state="translated">La propiedad o el evento se declaran implícitamente al tipo o al miembro que está en conflicto con un miembro del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_MemberShadowsSynthMember6"> <source>{0} '{1}' conflicts with a member implicitly declared for {2} '{3}' in the base {4} '{5}' and should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con un miembro implícitamente declarado para {2} '{3}' en la base {4} '{5}' y se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_MemberShadowsSynthMember6_Title"> <source>Member conflicts with a member implicitly declared for property or event in the base type</source> <target state="translated">El miembro está en conflicto con un miembro declarado implícitamente para la propiedad o el evento del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsSynthMember7"> <source>{0} '{1}' implicitly declares '{2}', which conflicts with a member implicitly declared for {3} '{4}' in the base {5} '{6}'. {0} should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' declara implícitamente a '{2}', que entra en conflicto con un miembro declarado implícitamente para {3} '{4}' en la base {5} '{6}'. {0} se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsSynthMember7_Title"> <source>Property or event implicitly declares member, which conflicts with a member implicitly declared for property or event in the base type</source> <target state="translated">La propiedad o el evento declaran implícitamente al miembro, lo que crea un conflicto con la declaración implícita de un miembro para la propiedad o el evento del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor3"> <source>'{0}' accessor of '{1}' is obsolete: '{2}'.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto: '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor3_Title"> <source>Property accessor is obsolete</source> <target state="translated">El descriptor de acceso de la propiedad está obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor2"> <source>'{0}' accessor of '{1}' is obsolete.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor2_Title"> <source>Property accessor is obsolete</source> <target state="translated">El descriptor de acceso de la propiedad está obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_FieldNotCLSCompliant1"> <source>Type of member '{0}' is not CLS-compliant.</source> <target state="translated">El tipo del miembro '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_FieldNotCLSCompliant1_Title"> <source>Type of member is not CLS-compliant</source> <target state="translated">El tipo de miembro no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_BaseClassNotCLSCompliant2"> <source>'{0}' is not CLS-compliant because it derives from '{1}', which is not CLS-compliant.</source> <target state="translated">'{0}' no es conforme a CLS porque deriva de '{1}', que no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_BaseClassNotCLSCompliant2_Title"> <source>Type is not CLS-compliant because it derives from base type that is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS porque se deriva de un tipo de base que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ProcTypeNotCLSCompliant1"> <source>Return type of function '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de valor devuelto de la función '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_ProcTypeNotCLSCompliant1_Title"> <source>Return type of function is not CLS-compliant</source> <target state="translated">El tipo de retorno de la función no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ParamNotCLSCompliant1"> <source>Type of parameter '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de parámetro '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_ParamNotCLSCompliant1_Title"> <source>Type of parameter is not CLS-compliant</source> <target state="translated">El tipo de parámetro no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_InheritedInterfaceNotCLSCompliant2"> <source>'{0}' is not CLS-compliant because the interface '{1}' it inherits from is not CLS-compliant.</source> <target state="translated">'{0}' no es conforme a CLS porque la interfaz '{1}' de la que se hereda no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_InheritedInterfaceNotCLSCompliant2_Title"> <source>Type is not CLS-compliant because the interface it inherits from is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS porque la interfaz de la que se hereda no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_CLSMemberInNonCLSType3"> <source>{0} '{1}' cannot be marked CLS-compliant because its containing type '{2}' is not CLS-compliant.</source> <target state="translated">{0} '{1}' no se puede marcar como conforme a CLS porque el tipo contenedor '{2}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSMemberInNonCLSType3_Title"> <source>Member cannot be marked CLS-compliant because its containing type is not CLS-compliant</source> <target state="translated">El miembro no se puede marcar como conforme a CLS porque contiene un tipo que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NameNotCLSCompliant1"> <source>Name '{0}' is not CLS-compliant.</source> <target state="translated">El nombre '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NameNotCLSCompliant1_Title"> <source>Name is not CLS-compliant</source> <target state="translated">El nombre no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_EnumUnderlyingTypeNotCLS1"> <source>Underlying type '{0}' of Enum is not CLS-compliant.</source> <target state="translated">El tipo subyacente “{0}” de la enumeración no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_EnumUnderlyingTypeNotCLS1_Title"> <source>Underlying type of Enum is not CLS-compliant</source> <target state="translated">El tipo subyacente de enumeración no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMemberInCLSInterface1"> <source>Non CLS-compliant '{0}' is not allowed in a CLS-compliant interface.</source> <target state="translated">No se permite '{0}' no conforme a CLS en una interfaz conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMemberInCLSInterface1_Title"> <source>Non CLS-compliant member is not allowed in a CLS-compliant interface</source> <target state="translated">No se permite el miembro que no es conforme a CLS en una interfaz conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMustOverrideInCLSType1"> <source>Non CLS-compliant 'MustOverride' member is not allowed in CLS-compliant type '{0}'.</source> <target state="translated">No se permite el miembro 'Mustoverride' no conforme a CLS en el tipo '{0}' conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMustOverrideInCLSType1_Title"> <source>Non CLS-compliant 'MustOverride' member is not allowed in CLS-compliant type</source> <target state="translated">No se permite el miembro 'MustOverride' que no es conforme a CLS en un tipo conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayOverloadsNonCLS2"> <source>'{0}' is not CLS-compliant because it overloads '{1}' which differs from it only by array of array parameter types or by the rank of the array parameter types.</source> <target state="translated">'{0}' no es conforme a CLS porque sobrecarga a '{1}' que solo difiere de él en la matriz de tipos de parámetro de matriz o en el rango de los tipos de parámetro de matriz.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayOverloadsNonCLS2_Title"> <source>Method is not CLS-compliant because it overloads method which differs from it only by array of array parameter types or by the rank of the array parameter types</source> <target state="translated">El método no es conforme a CLS porque sobrecarga el método que se difiere de él solo por tipos de parámetros de matriz a matriz o por el rango de los tipos de parámetros de matriz</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant1"> <source>Root namespace '{0}' is not CLS-compliant.</source> <target state="translated">El espacio de nombres raíz '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant1_Title"> <source>Root namespace is not CLS-compliant</source> <target state="translated">El espacio de nombres raíz no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant2"> <source>Name '{0}' in the root namespace '{1}' is not CLS-compliant.</source> <target state="translated">El nombre '{0}' del espacio de nombres raíz '{1}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant2_Title"> <source>Part of the root namespace is not CLS-compliant</source> <target state="translated">Parte del espacio de nombres raíz no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_GenericConstraintNotCLSCompliant1"> <source>Generic parameter constraint type '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de restricción del parámetro genérico '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_GenericConstraintNotCLSCompliant1_Title"> <source>Generic parameter constraint type is not CLS-compliant</source> <target state="translated">El tipo de restricción del parámetro genérico no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_TypeNotCLSCompliant1"> <source>Type '{0}' is not CLS-compliant.</source> <target state="translated">El tipo '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeNotCLSCompliant1_Title"> <source>Type is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_OptionalValueNotCLSCompliant1"> <source>Type of optional value for optional parameter '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de valor opcional para el parámetro opcional '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_OptionalValueNotCLSCompliant1_Title"> <source>Type of optional value for optional parameter is not CLS-compliant</source> <target state="translated">El tipo de valor opcional para el parámetro opcional no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_CLSAttrInvalidOnGetSet"> <source>System.CLSCompliantAttribute cannot be applied to property 'Get' or 'Set'.</source> <target state="translated">System.CLSCompliantAttribute no se puede aplicar a la propiedad 'Get' o 'Set'.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSAttrInvalidOnGetSet_Title"> <source>System.CLSCompliantAttribute cannot be applied to property 'Get' or 'Set'</source> <target state="translated">No se puede aplicar System.CLSCompliantAttribute a la propiedad 'Get' o 'Set'</target> <note /> </trans-unit> <trans-unit id="WRN_TypeConflictButMerged6"> <source>{0} '{1}' and partial {2} '{3}' conflict in {4} '{5}', but are being merged because one of them is declared partial.</source> <target state="translated">{0} '{1}' y {2} '{3}' parcial entran en conflicto en {4} '{5}', pero se van a fusionar mediante combinación porque uno de ellos está declarado como parcial.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeConflictButMerged6_Title"> <source>Type and partial type conflict, but are being merged because one of them is declared partial</source> <target state="translated">Conflicto entre el tipo y el tipo parcial; se han fusionado mediante combinación porque uno de ellos se declara como parcial</target> <note /> </trans-unit> <trans-unit id="WRN_ShadowingGenericParamWithParam1"> <source>Type parameter '{0}' has the same name as a type parameter of an enclosing type. Enclosing type's type parameter will be shadowed.</source> <target state="translated">El parámetro de tipo '{0}' tiene el mismo nombre que el parámetro de tipo de un tipo envolvente. Prevalecerá sobre el parámetro de tipo del tipo envolvente.</target> <note /> </trans-unit> <trans-unit id="WRN_ShadowingGenericParamWithParam1_Title"> <source>Type parameter has the same name as a type parameter of an enclosing type</source> <target state="translated">El parámetro tipo tiene el mismo nombre que el parámetro tipo de un tipo envolvente</target> <note /> </trans-unit> <trans-unit id="WRN_CannotFindStandardLibrary1"> <source>Could not find standard library '{0}'.</source> <target state="translated">No se encontró la biblioteca estándar '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_CannotFindStandardLibrary1_Title"> <source>Could not find standard library</source> <target state="translated">Falta la biblioteca estándar</target> <note /> </trans-unit> <trans-unit id="WRN_EventDelegateTypeNotCLSCompliant2"> <source>Delegate type '{0}' of event '{1}' is not CLS-compliant.</source> <target state="translated">El tipo delegado '{0}' del evento '{1}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_EventDelegateTypeNotCLSCompliant2_Title"> <source>Delegate type of event is not CLS-compliant</source> <target state="translated">El tipo delegado del evento no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_DebuggerHiddenIgnoredOnProperties"> <source>System.Diagnostics.DebuggerHiddenAttribute does not affect 'Get' or 'Set' when applied to the Property definition. Apply the attribute directly to the 'Get' and 'Set' procedures as appropriate.</source> <target state="translated">System.Diagnostics.DebuggerHiddenAttribute no afecta a 'Get' o 'Set' cuando se aplica a la definición Property. Aplique el atributo directamente a los procedimientos 'Get' y 'Set' como corresponda.</target> <note /> </trans-unit> <trans-unit id="WRN_DebuggerHiddenIgnoredOnProperties_Title"> <source>System.Diagnostics.DebuggerHiddenAttribute does not affect 'Get' or 'Set' when applied to the Property definition</source> <target state="translated">System.Diagnostics.DebuggerHiddenAttribute no afecta a 'Get' o 'Set' cuando se aplica a la definición de propiedad</target> <note /> </trans-unit> <trans-unit id="WRN_SelectCaseInvalidRange"> <source>Range specified for 'Case' statement is not valid. Make sure that the lower bound is less than or equal to the upper bound.</source> <target state="translated">El intervalo especificado para la instrucción 'Case' no es válido. Asegúrese de que el límite inferior sea menor o igual que el límite superior.</target> <note /> </trans-unit> <trans-unit id="WRN_SelectCaseInvalidRange_Title"> <source>Range specified for 'Case' statement is not valid</source> <target state="translated">El rango especificado para la instrucción 'Case' no es válido</target> <note /> </trans-unit> <trans-unit id="WRN_CLSEventMethodInNonCLSType3"> <source>'{0}' method for event '{1}' cannot be marked CLS compliant because its containing type '{2}' is not CLS compliant.</source> <target state="translated">'El método '{0}' del evento '{1}' no se puede marcar como conforme a CLS porque el tipo contenedor '{2}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSEventMethodInNonCLSType3_Title"> <source>AddHandler or RemoveHandler method for event cannot be marked CLS compliant because its containing type is not CLS compliant</source> <target state="translated">No se pueden marcar los métodos AddHandler o RemoveHandler para el evento como conformes a CLS porque contienen un tipo que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ExpectedInitComponentCall2"> <source>'{0}' in designer-generated type '{1}' should call InitializeComponent method.</source> <target state="translated">'{0}', en el tipo generado por el diseñador '{1}', debe llamar al método InitializeComponent.</target> <note /> </trans-unit> <trans-unit id="WRN_ExpectedInitComponentCall2_Title"> <source>Constructor in designer-generated type should call InitializeComponent method</source> <target state="translated">El constructor del tipo generado por el diseñador debe llamar al método InitializeComponent</target> <note /> </trans-unit> <trans-unit id="WRN_NamespaceCaseMismatch3"> <source>Casing of namespace name '{0}' does not match casing of namespace name '{1}' in '{2}'.</source> <target state="translated">Las mayúsculas y minúsculas del nombre de espacio de nombres '{0}' no coinciden con las del nombre de espacio de nombres '{1}' en '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_NamespaceCaseMismatch3_Title"> <source>Casing of namespace name does not match</source> <target state="translated">El uso de mayúsculas y minúsculas en el nombre del espacio de nombres no coincide</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyNamespaceOrClass1"> <source>Namespace or type specified in the Imports '{0}' doesn't contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn't use any aliases.</source> <target state="translated">El espacio de nombres o el tipo especificado en el '{0}' Imports no contienen ningún miembro público o no se encuentran. Asegúrese de que el espacio de nombres o el tipo se hayan definido y de que contengan al menos un miembro público. Asegúrese de que el nombre del elemento importado no use ningún alias.</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyNamespaceOrClass1_Title"> <source>Namespace or type specified in Imports statement doesn't contain any public member or cannot be found</source> <target state="translated">Falta el espacio de nombre o el tipo especificados en la instrucción Imports o no contienen ningún miembro público</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyProjectNamespaceOrClass1"> <source>Namespace or type specified in the project-level Imports '{0}' doesn't contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn't use any aliases.</source> <target state="translated">El espacio de nombres o tipo especificado en las importaciones de nivel de proyecto '{0}' no contienen ningún miembro público o no se encuentran. Asegúrese de que el espacio de nombres o el tipo se hayan definido y de que contengan al menos un miembro público. Asegúrese de que el nombre del elemento importado no utilice ningún alias.</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyProjectNamespaceOrClass1_Title"> <source>Namespace or type imported at project level doesn't contain any public member or cannot be found</source> <target state="translated">Falta el espacio de nombre o el tipo importados al nivel de proyecto o no contienen ningún miembro público</target> <note /> </trans-unit> <trans-unit id="WRN_IndirectRefToLinkedAssembly2"> <source>A reference was created to embedded interop assembly '{0}' because of an indirect reference to that assembly from assembly '{1}'. Consider changing the 'Embed Interop Types' property on either assembly.</source> <target state="translated">Se creó una referencia al ensamblado de interoperabilidad '{0}' incrustado debido a una referencia indirecta a ese ensamblado desde el ensamblado '{1}'. Puede cambiar la propiedad 'Incrustar tipos de interoperabilidad' en cualquiera de los ensamblados.</target> <note /> </trans-unit> <trans-unit id="WRN_IndirectRefToLinkedAssembly2_Title"> <source>A reference was created to embedded interop assembly because of an indirect reference to that assembly</source> <target state="translated">Se creó una referencia para insertar un ensamblado de interoperabilidad debido a una referencia indirecta a dicho ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase3"> <source>Class '{0}' should declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase3_Title"> <source>Class should declare a 'Sub New' because the constructor in its base class is marked obsolete</source> <target state="translated">La clase debe declarar un 'Sub New' porque el constructor de su clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase4"> <source>Class '{0}' should declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase4_Title"> <source>Class should declare a 'Sub New' because the constructor in its base class is marked obsolete</source> <target state="translated">La clase debe declarar un 'Sub New' porque el constructor de su clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall3"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el '{0}' de la clase base '{1}' de '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall3_Title"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the constructor in the base class is marked obsolete</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el constructor de la clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall4"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete: '{3}'</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el '{0}' de la clase base '{1}' de '{2}' está marcado como obsoleto: '{3}'</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall4_Title"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the constructor in the base class is marked obsolete</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el constructor de la clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinOperator"> <source>Operator without an 'As' clause; type of Object assumed.</source> <target state="translated">Operador sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinOperator_Title"> <source>Operator without an 'As' clause</source> <target state="translated">Operador sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ConstraintsFailedForInferredArgs2"> <source>Type arguments inferred for method '{0}' result in the following warnings :{1}</source> <target state="translated">Los argumentos de tipo inferidos para el método '{0}' generan las siguientes advertencias :{1}</target> <note /> </trans-unit> <trans-unit id="WRN_ConstraintsFailedForInferredArgs2_Title"> <source>Type arguments inferred for method result in warnings</source> <target state="translated">Los argumentos de tipo inferidos para el método dan advertencias como resultado</target> <note /> </trans-unit> <trans-unit id="WRN_ConditionalNotValidOnFunction"> <source>Attribute 'Conditional' is only valid on 'Sub' declarations.</source> <target state="translated">El atributo 'Conditional' solo es válido en declaraciones 'Sub'.</target> <note /> </trans-unit> <trans-unit id="WRN_ConditionalNotValidOnFunction_Title"> <source>Attribute 'Conditional' is only valid on 'Sub' declarations</source> <target state="translated">El atributo 'Conditional' solo es válido en declaraciones 'Sub'</target> <note /> </trans-unit> <trans-unit id="WRN_UseSwitchInsteadOfAttribute"> <source>Use command-line option '{0}' or appropriate project settings instead of '{1}'.</source> <target state="translated">Use la opción de la línea de comandos '{0}' o una configuración de proyecto apropiada en lugar de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseSwitchInsteadOfAttribute_Title"> <source>Use command-line option /keyfile, /keycontainer, or /delaysign instead of AssemblyKeyFileAttribute, AssemblyKeyNameAttribute, or AssemblyDelaySignAttribute</source> <target state="translated">Use la opción de línea de comandos /keyfile, /keycontainer o /delaysign en lugar de AssemblyKeyFileAttribute, AssemblyKeyNameAttribute o AssemblyDelaySignAttribute</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveAddHandlerCall"> <source>Statement recursively calls the containing '{0}' for event '{1}'.</source> <target state="translated">La instrucción llama recursivamente al elemento contenedor '{0}' para el evento '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveAddHandlerCall_Title"> <source>Statement recursively calls the event's containing AddHandler</source> <target state="translated">La instrucción llama recursivamente al evento que contiene AddHandler</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionCopyBack"> <source>Implicit conversion from '{1}' to '{2}' in copying the value of 'ByRef' parameter '{0}' back to the matching argument.</source> <target state="translated">Conversión implícita de '{1}' a '{2}' al volver a copiar el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionCopyBack_Title"> <source>Implicit conversion in copying the value of 'ByRef' parameter back to the matching argument</source> <target state="translated">Conversión implícita al volver a copiar el valor del parámetro 'ByRef' en el argumento coincidente</target> <note /> </trans-unit> <trans-unit id="WRN_MustShadowOnMultipleInheritance2"> <source>{0} '{1}' conflicts with other members of the same name across the inheritance hierarchy and so should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con otros miembros del mismo nombre en la jerarquía de herencia y, por tanto, se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustShadowOnMultipleInheritance2_Title"> <source>Method conflicts with other members of the same name across the inheritance hierarchy and so should be declared 'Shadows'</source> <target state="translated">El método está en conflicto con otros miembros del mismo nombre en la jerarquía de herencia y, por lo tanto, se debe declarar como “Shadows”</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveOperatorCall"> <source>Expression recursively calls the containing Operator '{0}'.</source> <target state="translated">La expresión llama recursivamente al operador '{0}' contenedor.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveOperatorCall_Title"> <source>Expression recursively calls the containing Operator</source> <target state="translated">La expresión llama recursivamente al operador que contiene</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversion2"> <source>Implicit conversion from '{0}' to '{1}'.</source> <target state="translated">Conversión implícita de '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversion2_Title"> <source>Implicit conversion</source> <target state="translated">Conversión implícita</target> <note /> </trans-unit> <trans-unit id="WRN_MutableStructureInUsing"> <source>Local variable '{0}' is read-only and its type is a structure. Invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the 'Using' block.</source> <target state="translated">La variable local '{0}' es de solo lectura y su tipo es una estructura. Si se invocan sus miembros o se pasa ByRef, no cambia su contenido y puede dar lugar a resultados inesperados. Puede declarar esta variable fuera del bloque 'Using'.</target> <note /> </trans-unit> <trans-unit id="WRN_MutableStructureInUsing_Title"> <source>Local variable declared by Using statement is read-only and its type is a structure</source> <target state="translated">La variable local declarada por la instrucción Using es de solo lectura y su tipo es una estructura</target> <note /> </trans-unit> <trans-unit id="WRN_MutableGenericStructureInUsing"> <source>Local variable '{0}' is read-only. When its type is a structure, invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the 'Using' block.</source> <target state="translated">La variable local '{0}' es de solo lectura. Cuando su tipo es una estructura, si se invocan sus miembros o se pasa ByRef, no cambia su contenido y puede dar lugar a resultados inesperados. Puede declarar esta variable fuera del bloque 'Using'.</target> <note /> </trans-unit> <trans-unit id="WRN_MutableGenericStructureInUsing_Title"> <source>Local variable declared by Using statement is read-only and its type may be a structure</source> <target state="translated">La variable local declarada por la instrucción Using es de solo lectura y es posible que su tipo sea una estructura</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionSubst1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionSubst1_Title"> <source>Implicit conversion</source> <target state="translated">Conversión implícita</target> <note /> </trans-unit> <trans-unit id="WRN_LateBindingResolution"> <source>Late bound resolution; runtime errors could occur.</source> <target state="translated">Resolución enlazada en tiempo de ejecución; pueden darse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_LateBindingResolution_Title"> <source>Late bound resolution</source> <target state="translated">Resolución enlazada en tiempo de ejecución</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1"> <source>Operands of type Object used for operator '{0}'; use the 'Is' operator to test object identity.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; use el operador 'Is' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1_Title"> <source>Operands of type Object used for operator</source> <target state="translated">Operandos de tipo Object usados para el operador</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath2"> <source>Operands of type Object used for operator '{0}'; runtime errors could occur.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; pueden darse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath2_Title"> <source>Operands of type Object used for operator</source> <target state="translated">Operandos de tipo Object usados para el operador</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedVar1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedVar1_Title"> <source>Variable declaration without an 'As' clause</source> <target state="translated">Declaración de variable sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumed1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumed1_Title"> <source>Function without an 'As' clause</source> <target state="translated">Función sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedProperty1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedProperty1_Title"> <source>Property without an 'As' clause</source> <target state="translated">Propiedad sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinVarDecl"> <source>Variable declaration without an 'As' clause; type of Object assumed.</source> <target state="translated">Declaración de variable sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinVarDecl_Title"> <source>Variable declaration without an 'As' clause</source> <target state="translated">Declaración de variable sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinFunction"> <source>Function without an 'As' clause; return type of Object assumed.</source> <target state="translated">Función sin una cláusula 'As'; se supone un tipo de valor devuelto de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinFunction_Title"> <source>Function without an 'As' clause</source> <target state="translated">Función sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinProperty"> <source>Property without an 'As' clause; type of Object assumed.</source> <target state="translated">La propiedad no tiene una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinProperty_Title"> <source>Property without an 'As' clause</source> <target state="translated">Propiedad sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocal"> <source>Unused local variable: '{0}'.</source> <target state="translated">Variable local sin usar: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocal_Title"> <source>Unused local variable</source> <target state="translated">Variable local no usada</target> <note /> </trans-unit> <trans-unit id="WRN_SharedMemberThroughInstance"> <source>Access of shared member, constant member, enum member or nested type through an instance; qualifying expression will not be evaluated.</source> <target state="translated">Acceso de miembro compartido, miembro de constante, miembro de enumeración o tipo anidado a través de una instancia; la expresión de calificación no se evaluará.</target> <note /> </trans-unit> <trans-unit id="WRN_SharedMemberThroughInstance_Title"> <source>Access of shared member, constant member, enum member or nested type through an instance</source> <target state="translated">Acceso del miembro compartido, el miembro de constante, el miembro de enumeración o el tipo anidado a través de una instancia</target> <note /> </trans-unit> <trans-unit id="WRN_RecursivePropertyCall"> <source>Expression recursively calls the containing property '{0}'.</source> <target state="translated">La expresión llama recursivamente a la propiedad '{0}' contenedora.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursivePropertyCall_Title"> <source>Expression recursively calls the containing property</source> <target state="translated">La expresión llama recursivamente a la propiedad que contiene</target> <note /> </trans-unit> <trans-unit id="WRN_OverlappingCatch"> <source>'Catch' block never reached, because '{0}' inherits from '{1}'.</source> <target state="translated">'Nunca se alcanzó el bloque 'Catch' porque '{0}' hereda de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_OverlappingCatch_Title"> <source>'Catch' block never reached; exception type's base type handled above in the same Try statement</source> <target state="translated">'El bloque 'Catch' nunca se alcanzó. El tipo base del tipo de excepción se administró anteriormente en la misma instrucción Try.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRef"> <source>Variable '{0}' is passed by reference before it has been assigned a value. A null reference exception could result at runtime.</source> <target state="translated">La variable '{0}' se ha pasado como referencia antes de haberle asignado un valor. Podría darse una excepción de referencia NULL en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRef_Title"> <source>Variable is passed by reference before it has been assigned a value</source> <target state="translated">La referencia pasa una variable ates de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DuplicateCatch"> <source>'Catch' block never reached; '{0}' handled above in the same Try statement.</source> <target state="translated">'No se alcanzó el bloque 'Catch'; '{0}' se controla anteriormente en la misma instrucción Try.</target> <note /> </trans-unit> <trans-unit id="WRN_DuplicateCatch_Title"> <source>'Catch' block never reached; exception type handled above in the same Try statement</source> <target state="translated">'Nunca se alcanzó el bloque 'Catch'; el tipo de excepción se gestionó anteriormente en la misma instrucción Try</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1Not"> <source>Operands of type Object used for operator '{0}'; use the 'IsNot' operator to test object identity.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; use el operador 'IsNot' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1Not_Title"> <source>Operands of type Object used for operator &lt;&gt;</source> <target state="translated">Operandos de tipo Object usados para el operador &lt;&gt;</target> <note /> </trans-unit> <trans-unit id="WRN_BadChecksumValExtChecksum"> <source>Bad checksum value, non hex digits or odd number of hex digits.</source> <target state="translated">El valor de suma de comprobación es incorrecto, hay dígitos no hexadecimales o un número impar de dígitos hexadecimales.</target> <note /> </trans-unit> <trans-unit id="WRN_BadChecksumValExtChecksum_Title"> <source>Bad checksum value, non hex digits or odd number of hex digits</source> <target state="translated">El valor de suma de comprobación es incorrecto, hay dígitos no hexadecimales o un número impar de dígitos hexadecimales</target> <note /> </trans-unit> <trans-unit id="WRN_MultipleDeclFileExtChecksum"> <source>File name already declared with a different GUID and checksum value.</source> <target state="translated">El nombre de archivo ya está declarado con un GUID y un valor de suma de comprobación distintos.</target> <note /> </trans-unit> <trans-unit id="WRN_MultipleDeclFileExtChecksum_Title"> <source>File name already declared with a different GUID and checksum value</source> <target state="translated">El nombre de archivo ya está declarado con un GUID y un valor de suma de comprobación distintos</target> <note /> </trans-unit> <trans-unit id="WRN_BadGUIDFormatExtChecksum"> <source>Bad GUID format.</source> <target state="translated">Formato de GUID incorrecto.</target> <note /> </trans-unit> <trans-unit id="WRN_BadGUIDFormatExtChecksum_Title"> <source>Bad GUID format</source> <target state="translated">Formato de GUID incorrecto</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMathSelectCase"> <source>Operands of type Object used in expressions for 'Select', 'Case' statements; runtime errors could occur.</source> <target state="translated">Se han usado operandos del tipo Object en expresiones de instrucciones 'Select', 'Case'. Podrían producirse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMathSelectCase_Title"> <source>Operands of type Object used in expressions for 'Select', 'Case' statements</source> <target state="translated">Operandos de tipo Object usados en expresiones para las instrucciones 'Select' y 'Case'</target> <note /> </trans-unit> <trans-unit id="WRN_EqualToLiteralNothing"> <source>This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is null consider using 'Is Nothing'.</source> <target state="translated">Esta expresión siempre se evaluará como Nothing (debido a la propagación de tipo NULL del operador equals). Para comprobar si el valor es NULL, puede usar 'Is Nothing'.</target> <note /> </trans-unit> <trans-unit id="WRN_EqualToLiteralNothing_Title"> <source>This expression will always evaluate to Nothing</source> <target state="translated">Esta expresión siempre se evaluará como Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_NotEqualToLiteralNothing"> <source>This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is not null consider using 'IsNot Nothing'.</source> <target state="translated">Esta expresión siempre se evaluará como Nothing (debido a la propagación de tipo NULL del operador equals). Para comprobar si el valor no es NULL, puede usar 'IsNot Nothing'.</target> <note /> </trans-unit> <trans-unit id="WRN_NotEqualToLiteralNothing_Title"> <source>This expression will always evaluate to Nothing</source> <target state="translated">Esta expresión siempre se evaluará como Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocalConst"> <source>Unused local constant: '{0}'.</source> <target state="translated">Constante local sin usar: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocalConst_Title"> <source>Unused local constant</source> <target state="translated">Constante local sin usar</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassInterfaceShadows5"> <source>'Microsoft.VisualBasic.ComClassAttribute' on class '{0}' implicitly declares {1} '{2}', which conflicts with a member of the same name in {3} '{4}'. Use 'Microsoft.VisualBasic.ComClassAttribute(InterfaceShadows:=True)' if you want to hide the name on the base {4}.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' de la clase '{0}' declara implícitamente {1} '{2}', que entra en conflicto con un miembro del mismo nombre en {3} '{4}'. Use 'Microsoft.VisualBasic.ComClassAttribute(InterfaceShadows:=True)' si quiere ocultar el nombre en la base {4}.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassInterfaceShadows5_Title"> <source>'Microsoft.VisualBasic.ComClassAttribute' on class implicitly declares member, which conflicts with a member of the same name</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' de la clase declara implícitamente al miembro, lo que entra en conflicto con un miembro con el mismo nombre</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassPropertySetObject1"> <source>'{0}' cannot be exposed to COM as a property 'Let'. You will not be able to assign non-object values (such as numbers or strings) to this property from Visual Basic 6.0 using a 'Let' statement.</source> <target state="translated">'{0}' no se puede exponer a COM como una propiedad 'Let'. No podrá asignar valores que no sean de objeto (como números o cadenas) a esta propiedad desde Visual Basic 6.0 usando una instrucción 'Let'.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassPropertySetObject1_Title"> <source>Property cannot be exposed to COM as a property 'Let'</source> <target state="translated">La propiedad no se puede exponer en COM como una propiedad 'Let'</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRef"> <source>Variable '{0}' is used before it has been assigned a value. A null reference exception could result at runtime.</source> <target state="translated">La variable '{0}' se usa antes de que se le haya asignado un valor. Podría darse una excepción de referencia NULL en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRef_Title"> <source>Variable is used before it has been assigned a value</source> <target state="translated">Se usa la variable antes de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncRef1"> <source>Function '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">La función '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncRef1_Title"> <source>Function doesn't return a value on all code paths</source> <target state="translated">La función no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpRef1"> <source>Operator '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">El operador '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpRef1_Title"> <source>Operator doesn't return a value on all code paths</source> <target state="translated">El operador no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropRef1"> <source>Property '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">La propiedad '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropRef1_Title"> <source>Property doesn't return a value on all code paths</source> <target state="translated">La propiedad no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRefStr"> <source>Variable '{0}' is passed by reference before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use</source> <target state="translated">La variable '{0}' se ha pasado como referencia antes de haberle asignado un valor. Podría producirse una excepción de referencia NULL en tiempo de ejecución. Asegúrese de que la estructura o todos los miembros de referencia se inicialicen antes de usarse.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRefStr_Title"> <source>Variable is passed by reference before it has been assigned a value</source> <target state="translated">La referencia pasa una variable ates de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefStr"> <source>Variable '{0}' is used before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use</source> <target state="translated">La variable '{0}' se usa antes de que se le haya asignado un valor. Podría producirse una excepción de referencia NULL en tiempo de ejecución. Asegúrese de que la estructura o todos los miembros de referencia se inicialicen antes de usarse.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefStr_Title"> <source>Variable is used before it has been assigned a value</source> <target state="translated">Se usa la variable antes de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_StaticLocalNoInference"> <source>Static variable declared without an 'As' clause; type of Object assumed.</source> <target state="translated">Variable estática declarada sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_StaticLocalNoInference_Title"> <source>Static variable declared without an 'As' clause</source> <target state="translated">Se ha declarado una variable estática sin una cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidAssemblyName"> <source>Assembly reference '{0}' is invalid and cannot be resolved.</source> <target state="translated">La referencia de ensamblado '{0}' no es válida y no se puede resolver.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidAssemblyName_Title"> <source>Assembly reference is invalid and cannot be resolved</source> <target state="translated">La referencia de ensamblado no es válida y no se puede resolver</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadXMLLine"> <source>XML comment block must immediately precede the language element to which it applies. XML comment will be ignored.</source> <target state="translated">El bloque de comentario XML debe preceder directamente al elemento de lenguaje al que se aplica. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadXMLLine_Title"> <source>XML comment block must immediately precede the language element to which it applies</source> <target state="translated">El bloque de comentario XML debe preceder inmediatamente al elemento de idioma al que se aplica</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocMoreThanOneCommentBlock"> <source>Only one XML comment block is allowed per language element.</source> <target state="translated">Únicamente se permite un bloque de comentario XML por elemento de lenguaje.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocMoreThanOneCommentBlock_Title"> <source>Only one XML comment block is allowed per language element</source> <target state="translated">Solo se permite un bloque de comentario XML por elemento de lenguaje</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocNotFirstOnLine"> <source>XML comment must be the first statement on a line. XML comment will be ignored.</source> <target state="translated">El comentario XML debe ser la primera instrucción de una línea. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocNotFirstOnLine_Title"> <source>XML comment must be the first statement on a line</source> <target state="translated">El comentario XML debe ser la primera instrucción de una línea</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInsideMethod"> <source>XML comment cannot appear within a method or a property. XML comment will be ignored.</source> <target state="translated">El comentario XML no puede aparecer en un método o una propiedad. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInsideMethod_Title"> <source>XML comment cannot appear within a method or a property</source> <target state="translated">El comentario XML no puede aparecer dentro de un método o de una propiedad</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParseError1"> <source>XML documentation parse error: {0} XML comment will be ignored.</source> <target state="translated">Error de análisis de la documentación XML: se omitirá el comentario XML {0}.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParseError1_Title"> <source>XML documentation parse error</source> <target state="translated">Error de análisis de la documentación XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocDuplicateXMLNode1"> <source>XML comment tag '{0}' appears with identical attributes more than once in the same XML comment block.</source> <target state="translated">La etiqueta de comentario XML '{0}' aparece con atributos idénticos más de una vez en el mismo bloque de comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocDuplicateXMLNode1_Title"> <source>XML comment tag appears with identical attributes more than once in the same XML comment block</source> <target state="translated">La etiqueta de comentario XML aparece con atributos idénticos más de una vez en el mismo bloque de comentario XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocIllegalTagOnElement2"> <source>XML comment tag '{0}' is not permitted on a '{1}' language element.</source> <target state="translated">La etiqueta de comentario XML '{0}' no se permite en un elemento de idioma '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocIllegalTagOnElement2_Title"> <source>XML comment tag is not permitted on language element</source> <target state="translated">No se permite la etiqueta de comentario XML en un elemento de idioma</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadParamTag2"> <source>XML comment parameter '{0}' does not match a parameter on the corresponding '{1}' statement.</source> <target state="translated">El parámetro de comentario XML '{0}' no coincide con un parámetro de la instrucción '{1}' correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadParamTag2_Title"> <source>XML comment parameter does not match a parameter on the corresponding declaration statement</source> <target state="translated">El parámetro de comentario XML no coincide con un parámetro en la instrucción de declaración correspondiente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParamTagWithoutName"> <source>XML comment parameter must have a 'name' attribute.</source> <target state="translated">El parámetro de comentario XML debe tener un atributo 'name'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParamTagWithoutName_Title"> <source>XML comment parameter must have a 'name' attribute</source> <target state="translated">El parámetro de comentario XML debe tener un atributo 'name'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefAttributeNotFound1"> <source>XML comment has a tag with a 'cref' attribute '{0}' that could not be resolved.</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' '{0}' que no se pudo resolver.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefAttributeNotFound1_Title"> <source>XML comment has a tag with a 'cref' attribute that could not be resolved</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' que no se pudo resolver</target> <note /> </trans-unit> <trans-unit id="WRN_XMLMissingFileOrPathAttribute1"> <source>XML comment tag 'include' must have a '{0}' attribute. XML comment will be ignored.</source> <target state="translated">La etiqueta de comentario XML 'include' debe tener un atributo '{0}'. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLMissingFileOrPathAttribute1_Title"> <source>XML comment tag 'include' must have 'file' and 'path' attributes</source> <target state="translated">La etiqueta de comentario XML 'include' debe tener los atributos 'file' y 'path'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLCannotWriteToXMLDocFile2"> <source>Unable to create XML documentation file '{0}': {1}</source> <target state="translated">No se puede crear el archivo de documentación XML '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="WRN_XMLCannotWriteToXMLDocFile2_Title"> <source>Unable to create XML documentation file</source> <target state="translated">No se puede crear el archivo de documentación XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocWithoutLanguageElement"> <source>XML documentation comments must precede member or type declarations.</source> <target state="translated">Los comentarios de documentación XML deben preceder a las declaraciones de miembros o tipos.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocWithoutLanguageElement_Title"> <source>XML documentation comments must precede member or type declarations</source> <target state="translated">Los comentarios de documentación XML deben preceder a las declaraciones de miembros o tipos</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnWriteOnlyProperty"> <source>XML comment tag 'returns' is not permitted on a 'WriteOnly' Property.</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en una propiedad 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnWriteOnlyProperty_Title"> <source>XML comment tag 'returns' is not permitted on a 'WriteOnly' Property</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en una propiedad 'WriteOnly'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocOnAPartialType"> <source>XML comment cannot be applied more than once on a partial {0}. XML comments for this {0} will be ignored.</source> <target state="translated">El comentario XML no se puede aplicar más de una vez en un {0} parcial. Se omitirán los comentarios XML para este {0}.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocOnAPartialType_Title"> <source>XML comment cannot be applied more than once on a partial type</source> <target state="translated">El comentario XML no se puede aplicar más de una vez en un tipo parcial</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnADeclareSub"> <source>XML comment tag 'returns' is not permitted on a 'declare sub' language element.</source> <target state="translated">La etiqueta de comentario XML 'returns' no se admite en un elemento de lenguaje 'declare sub'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnADeclareSub_Title"> <source>XML comment tag 'returns' is not permitted on a 'declare sub' language element</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en un elemento de lenguaje 'declare sub'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocStartTagWithNoEndTag"> <source>XML documentation parse error: Start tag '{0}' doesn't have a matching end tag. XML comment will be ignored.</source> <target state="translated">Error de análisis de la documentación XML: la etiqueta de apertura '{0}' no tiene la correspondiente etiqueta de cierre. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocStartTagWithNoEndTag_Title"> <source>XML documentation parse error: Start tag doesn't have a matching end tag</source> <target state="translated">Error de análisis de la documentación XML: la etiqueta de inicio no tiene una etiqueta de fin coincidente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadGenericParamTag2"> <source>XML comment type parameter '{0}' does not match a type parameter on the corresponding '{1}' statement.</source> <target state="translated">El parámetro de tipo de comentario XML '{0}' no coincide con un parámetro de tipo de la instrucción '{1}' correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadGenericParamTag2_Title"> <source>XML comment type parameter does not match a type parameter on the corresponding declaration statement</source> <target state="translated">El parámetro de tipo de comentario XML no coincide con un parámetro de tipo de la instrucción de declaración correspondiente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocGenericParamTagWithoutName"> <source>XML comment type parameter must have a 'name' attribute.</source> <target state="translated">El parámetro de tipo de comentario XML debe tener un atributo 'name'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocGenericParamTagWithoutName_Title"> <source>XML comment type parameter must have a 'name' attribute</source> <target state="translated">El parámetro de tipo de comentario XML debe tener un atributo 'name'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocExceptionTagWithoutCRef"> <source>XML comment exception must have a 'cref' attribute.</source> <target state="translated">La excepción del comentario XML debe tener un atributo 'cref'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocExceptionTagWithoutCRef_Title"> <source>XML comment exception must have a 'cref' attribute</source> <target state="translated">La excepción de comentario XML debe tener un atributo 'cref'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInvalidXMLFragment"> <source>Unable to include XML fragment '{0}' of file '{1}'.</source> <target state="translated">No se puede incluir el fragmento de código XML '{0}' del archivo '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInvalidXMLFragment_Title"> <source>Unable to include XML fragment</source> <target state="translated">No se puede incluir el fragmento XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadFormedXML"> <source>Unable to include XML fragment '{1}' of file '{0}'. {2}</source> <target state="translated">No se puede incluir el fragmento de código XML '{1}' del archivo '{0}'. {2}</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadFormedXML_Title"> <source>Unable to include XML fragment</source> <target state="translated">No se puede incluir el fragmento XML</target> <note /> </trans-unit> <trans-unit id="WRN_InterfaceConversion2"> <source>Runtime errors might occur when converting '{0}' to '{1}'.</source> <target state="translated">Se pueden producir errores en tiempo de ejecución al convertir '{0}' en '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_InterfaceConversion2_Title"> <source>Runtime errors might occur when converting to or from interface type</source> <target state="translated">Es posible que ocurran errores de tiempo de ejecución al convertir desde o a un tipo de interfaz</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableLambda"> <source>Using the iteration variable in a lambda expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.</source> <target state="translated">El uso de una variable de iteración en una expresión lambda puede producir resultados inesperados. Cree una variable local dentro del bucle y asígnele el valor de la variable de iteración.</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableLambda_Title"> <source>Using the iteration variable in a lambda expression may have unexpected results</source> <target state="translated">Es posible que usar la variable de iteración en una expresión lambda tenga resultados inesperados</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaPassedToRemoveHandler"> <source>Lambda expression will not be removed from this event handler. Assign the lambda expression to a variable and use the variable to add and remove the event.</source> <target state="translated">La expresión lambda no se quitará de este controlador de eventos. Asigne la expresión lambda a una variable y use esta variable para agregar y quitar el evento.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaPassedToRemoveHandler_Title"> <source>Lambda expression will not be removed from this event handler</source> <target state="translated">La expresión lambda no se quitará de este controlador de eventos</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableQuery"> <source>Using the iteration variable in a query expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.</source> <target state="translated">El uso de una variable de iteración en una expresión de consulta puede producir resultados inesperados. Cree una variable local dentro del bucle y asígnele el valor de la variable de iteración.</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableQuery_Title"> <source>Using the iteration variable in a query expression may have unexpected results</source> <target state="translated">Es posible que usar la variable de iteración en una expresión de consulta tenga resultados inesperados</target> <note /> </trans-unit> <trans-unit id="WRN_RelDelegatePassedToRemoveHandler"> <source>The 'AddressOf' expression has no effect in this context because the method argument to 'AddressOf' requires a relaxed conversion to the delegate type of the event. Assign the 'AddressOf' expression to a variable, and use the variable to add or remove the method as the handler.</source> <target state="translated">La expresión 'AddressOf' no tiene efecto en este contexto porque el argumento de método para 'AddressOf' requiere una conversión flexible al tipo delegado del evento. Asigne la expresión 'AddressOf' a una variable y use la variable para agregar o quitar el método como controlador.</target> <note /> </trans-unit> <trans-unit id="WRN_RelDelegatePassedToRemoveHandler_Title"> <source>The 'AddressOf' expression has no effect in this context because the method argument to 'AddressOf' requires a relaxed conversion to the delegate type of the event</source> <target state="translated">La expresión 'AddressOf' no tiene efecto en este contexto porque el argumento de método para 'AddressOf' necesita una conversión flexible para el tipo delegado del evento</target> <note /> </trans-unit> <trans-unit id="WRN_QueryMissingAsClauseinVarDecl"> <source>Range variable is assumed to be of type Object because its type cannot be inferred. Use an 'As' clause to specify a different type.</source> <target state="translated">Se presupone que la variable de rango es de tipo Object porque su tipo no se puede inferir. Use una cláusula 'As' para especificar otro tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_QueryMissingAsClauseinVarDecl_Title"> <source>Range variable is assumed to be of type Object because its type cannot be inferred</source> <target state="translated">Se asume que la variable de rango es de tipo Object porque no se puede inferir su tipo</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdaMissingFunction"> <source>Multiline lambda expression is missing 'End Function'.</source> <target state="translated">Falta 'End Function' en una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdaMissingSub"> <source>Multiline lambda expression is missing 'End Sub'.</source> <target state="translated">Falta 'End Sub' en una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeOnLambdaReturnType"> <source>Attributes cannot be applied to return types of lambda expressions.</source> <target state="translated">No se pueden aplicar atributos para devolver tipos de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_SubDisallowsStatement"> <source>Statement is not valid inside a single-line statement lambda.</source> <target state="translated">La instrucción no es válida en una expresión lambda de instrucción de una sola línea.</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesBang"> <source>This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;)!key</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: (Sub() &lt;instrucción&gt;)!key</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesDot"> <source>This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;).Invoke()</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: (Sub() &lt;instrucción&gt;).Invoke()</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesLParen"> <source>This single-line statement lambda must be enclosed in parentheses. For example: Call (Sub() &lt;statement&gt;) ()</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: Call (Sub() &lt;instrucción&gt;) ()</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresSingleStatement"> <source>Single-line statement lambdas must include exactly one statement.</source> <target state="translated">Las expresiones lambda de instrucción de una sola línea deben incluir exactamente una instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_StaticInLambda"> <source>Static local variables cannot be declared inside lambda expressions.</source> <target state="translated">Las variables locales estáticas no se pueden declarar dentro de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializedExpandedProperty"> <source>Expanded Properties cannot be initialized.</source> <target state="translated">Las propiedades expandidas no se pueden inicializar.</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyCantHaveParams"> <source>Auto-implemented properties cannot have parameters.</source> <target state="translated">Las propiedades implementadas automáticamente no pueden tener parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyCantBeWriteOnly"> <source>Auto-implemented properties cannot be WriteOnly.</source> <target state="translated">Las propiedades implementadas automáticamente no pueden ser WriteOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFCount"> <source>'If' operator requires either two or three operands.</source> <target state="translated">'El operador 'If' requiere dos o tres operandos.</target> <note /> </trans-unit> <trans-unit id="ERR_NotACollection1"> <source>Cannot initialize the type '{0}' with a collection initializer because it is not a collection type.</source> <target state="translated">No se puede inicializar el tipo '{0}' con un inicializador de colección porque no es un tipo de colección.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAddMethod1"> <source>Cannot initialize the type '{0}' with a collection initializer because it does not have an accessible 'Add' method.</source> <target state="translated">No se puede inicializar el tipo '{0}' con un inicializador de colección porque no tiene un método 'Add' accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_CantCombineInitializers"> <source>An Object Initializer and a Collection Initializer cannot be combined in the same initialization.</source> <target state="translated">No se pueden combinar un inicializador de objeto y un inicializador de colección en la misma inicialización.</target> <note /> </trans-unit> <trans-unit id="ERR_EmptyAggregateInitializer"> <source>An aggregate collection initializer entry must contain at least one element.</source> <target state="translated">Una entrada de inicializador de colección de agregados debe contener al menos un elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEndElementNoMatchingStart"> <source>XML end element must be preceded by a matching start element.</source> <target state="translated">El elemento final de XML debe ir precedido de un elemento de inicio correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdasCannotContainOnError"> <source>'On Error' and 'Resume' cannot appear inside a lambda expression.</source> <target state="translated">'On Error' y 'Resume' no pueden aparecer dentro de una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceDisallowedHere"> <source>Keywords 'Out' and 'In' can only be used in interface and delegate declarations.</source> <target state="translated">Las palabras clave 'Out' e 'In' se pueden usar solo en declaraciones de interfaz y delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEndCDataNotAllowedInContent"> <source>The literal string ']]&gt;' is not allowed in element content.</source> <target state="translated">La cadena literal ']]&gt;' no se permite en el contenido de elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadsModifierInModule"> <source>Inappropriate use of '{0}' keyword in a module.</source> <target state="translated">Uso no apropiado de la palabra clave '{0}' en un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedTypeOrNamespace1"> <source>Type or namespace '{0}' is not defined.</source> <target state="translated">El tipo o el nombre del espacio de nombres '{0}' no está definido.</target> <note /> </trans-unit> <trans-unit id="ERR_IdentityDirectCastForFloat"> <source>Using DirectCast operator to cast a floating-point value to the same type is not supported.</source> <target state="translated">No se admite el uso del operador DirectCast para convertir un valor de número de punto flotante en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_ObsoleteIdentityDirectCastForValueType"> <source>Using DirectCast operator to cast a value-type to the same type is obsolete.</source> <target state="translated">El uso del operador DirectCast para convertir un tipo de valor en el mismo tipo está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObsoleteIdentityDirectCastForValueType_Title"> <source>Using DirectCast operator to cast a value-type to the same type is obsolete</source> <target state="translated">El uso del operador DirectCast para convertir un tipo de valor en el mismo tipo es obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_UnreachableCode"> <source>Unreachable code detected.</source> <target state="translated">Se ha detectado código inaccesible.</target> <note /> </trans-unit> <trans-unit id="WRN_UnreachableCode_Title"> <source>Unreachable code detected</source> <target state="translated">Se detectó código inaccesible</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncVal1"> <source>Function '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">La función '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncVal1_Title"> <source>Function doesn't return a value on all code paths</source> <target state="translated">La función no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpVal1"> <source>Operator '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">El operador '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpVal1_Title"> <source>Operator doesn't return a value on all code paths</source> <target state="translated">El operador no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropVal1"> <source>Property '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">La propiedad '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropVal1_Title"> <source>Property doesn't return a value on all code paths</source> <target state="translated">La propiedad no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="ERR_NestedGlobalNamespace"> <source>Global namespace may not be nested in another namespace.</source> <target state="translated">El espacio de nombres global no se puede anidar en otro espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatch6"> <source>'{0}' cannot expose type '{1}' in {2} '{3}' through {4} '{5}'.</source> <target state="translated">'{0}' no se puede exponer el tipo '{1}' en {2} '{3}' a través de {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadMetaDataReference1"> <source>'{0}' cannot be referenced because it is not a valid assembly.</source> <target state="translated">'No se puede hacer referencia a '{0}' porque no es un ensamblado válido.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyDoesntImplementAllAccessors"> <source>'{0}' cannot be implemented by a {1} property.</source> <target state="translated">'Una propiedad {1} no puede implementar '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnimplementedMustOverride"> <source> {0}: {1}</source> <target state="translated"> {0}: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_IfTooManyTypesObjectDisallowed"> <source>Cannot infer a common type because more than one type is possible.</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_IfTooManyTypesObjectAssumed"> <source>Cannot infer a common type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfTooManyTypesObjectAssumed_Title"> <source>Cannot infer a common type because more than one type is possible</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="ERR_IfNoTypeObjectDisallowed"> <source>Cannot infer a common type, and Option Strict On does not allow 'Object' to be assumed.</source> <target state="translated">No se puede inferir un tipo común y Option Strict On no permite suponer 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfNoTypeObjectAssumed"> <source>Cannot infer a common type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo común; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfNoTypeObjectAssumed_Title"> <source>Cannot infer a common type</source> <target state="translated">No se puede inferir un tipo común</target> <note /> </trans-unit> <trans-unit id="ERR_IfNoType"> <source>Cannot infer a common type.</source> <target state="translated">No se puede inferir un tipo común.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicKeyFileFailure"> <source>Error extracting public key from file '{0}': {1}</source> <target state="translated">Error al extraer la clave pública del archivo '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_PublicKeyContainerFailure"> <source>Error extracting public key from container '{0}': {1}</source> <target state="translated">Error al extraer la clave pública del contenedor '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_FriendRefNotEqualToThis"> <source>Friend access was granted by '{0}', but the public key of the output assembly does not match that specified by the attribute in the granting assembly.</source> <target state="translated">'{0}' ha concedido acceso de confianza, pero la clave pública del ensamblado de salida no coincide con la especificada por el atributo en el ensamblado de concesión.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendRefSigningMismatch"> <source>Friend access was granted by '{0}', but the strong name signing state of the output assembly does not match that of the granting assembly.</source> <target state="translated">'{0}' ha concedido acceso de confianza, pero el nombre seguro que firma el estado del ensamblado de salida no coincide con el del ensamblado de concesión.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicSignNoKey"> <source>Public sign was specified and requires a public key, but no public key was specified</source> <target state="translated">Se especificó un signo público y requiere una clave pública, pero no hay ninguna clave pública especificada.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicSignNetModule"> <source>Public signing is not supported for netmodules.</source> <target state="translated">No se admite la firma pública para netmodules.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeIgnoredWhenPublicSigning"> <source>Attribute '{0}' is ignored when public signing is specified.</source> <target state="translated">El atributo "{0}" se ignora cuando se especifica la firma pública.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeIgnoredWhenPublicSigning_Title"> <source>Attribute is ignored when public signing is specified.</source> <target state="translated">El atributo se omite cuando se especifica la firma pública.</target> <note /> </trans-unit> <trans-unit id="WRN_DelaySignButNoKey"> <source>Delay signing was specified and requires a public key, but no public key was specified.</source> <target state="translated">Se solicitó retrasar la firma y esto requiere una clave pública, pero no se proporcionó ninguna.</target> <note /> </trans-unit> <trans-unit id="WRN_DelaySignButNoKey_Title"> <source>Delay signing was specified and requires a public key, but no public key was specified</source> <target state="translated">Se especificó un retraso en la firma y esto requiere una clave pública, pero no se ha especificado ninguna</target> <note /> </trans-unit> <trans-unit id="ERR_SignButNoPrivateKey"> <source>Key file '{0}' is missing the private key needed for signing.</source> <target state="translated">Al archivo de clave '{0}' le falta la clave privada necesaria para firmar.</target> <note /> </trans-unit> <trans-unit id="ERR_FailureSigningAssembly"> <source>Error signing assembly '{0}': {1}</source> <target state="translated">Error al firmar el ensamblado '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidVersionFormat"> <source>The specified version string does not conform to the required format - major[.minor[.build|*[.revision|*]]]</source> <target state="translated">La cadena de versión especificada no se ajusta al formato requerido: principal[,secundaria[,compilación|*[, revisión|*]]]</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidVersionFormat"> <source>The specified version string does not conform to the recommended format - major.minor.build.revision</source> <target state="translated">La cadena de versión especificada no se ajusta al formato recomendado: principal,secundaria,compilación,revisión</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidVersionFormat_Title"> <source>The specified version string does not conform to the recommended format</source> <target state="translated">La cadena de versión especificada no es compatible con el formato recomendado</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidVersionFormat2"> <source>The specified version string does not conform to the recommended format - major.minor.build.revision</source> <target state="translated">La cadena de versión especificada no se ajusta al formato recomendado: principal,secundaria,compilación,revisión</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyCultureForExe"> <source>Executables cannot be satellite assemblies; culture should always be empty</source> <target state="translated">Los archivos ejecutables no pueden ser ensamblados satélite y no deben tener referencia cultural</target> <note /> </trans-unit> <trans-unit id="WRN_MainIgnored"> <source>The entry point of the program is global script code; ignoring '{0}' entry point.</source> <target state="translated">El punto de entrada del programa es código de script global: se omite el punto de entrada '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_MainIgnored_Title"> <source>The entry point of the program is global script code; ignoring entry point</source> <target state="translated">El punto de entrada del programa es código de script global. Ignorando punto de entrada</target> <note /> </trans-unit> <trans-unit id="WRN_EmptyPrefixAndXmlnsLocalName"> <source>The xmlns attribute has special meaning and should not be written with a prefix.</source> <target state="translated">El atributo xmlns tiene un significado especial y no se debe escribir con un prefijo.</target> <note /> </trans-unit> <trans-unit id="WRN_EmptyPrefixAndXmlnsLocalName_Title"> <source>The xmlns attribute has special meaning and should not be written with a prefix</source> <target state="translated">El atributo xmlns tiene un significado especial y no se debe escribir con un prefijo</target> <note /> </trans-unit> <trans-unit id="WRN_PrefixAndXmlnsLocalName"> <source>It is not recommended to have attributes named xmlns. Did you mean to write 'xmlns:{0}' to define a prefix named '{0}'?</source> <target state="translated">No se recomienda tener atributos con el nombre xmlns. ¿Quería escribir 'xmlns:{0}' para definir un prefijo con el nombre '{0}'?</target> <note /> </trans-unit> <trans-unit id="WRN_PrefixAndXmlnsLocalName_Title"> <source>It is not recommended to have attributes named xmlns</source> <target state="translated">No se recomienda tener atributos denominados xmlns</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSingleScript"> <source>Expected a single script (.vbx file)</source> <target state="translated">Se esperaba un script único (archivo .vbx)</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedAssemblyName"> <source>The assembly name '{0}' is reserved and cannot be used as a reference in an interactive session</source> <target state="translated">El nombre de ensamblado '{0}' está reservado y no se puede usar como referencia en una sesión interactiva</target> <note /> </trans-unit> <trans-unit id="ERR_ReferenceDirectiveOnlyAllowedInScripts"> <source>#R is only allowed in scripts</source> <target state="translated">#R solo se permite en scripts</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotAllowedInScript"> <source>You cannot declare Namespace in script code</source> <target state="translated">No puede declarar Espacio de nombres en código de script</target> <note /> </trans-unit> <trans-unit id="ERR_KeywordNotAllowedInScript"> <source>You cannot use '{0}' in top-level script code</source> <target state="translated">No puede usar '{0}' en código de script de nivel superior</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNoType"> <source>Cannot infer a return type. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaNoTypeObjectAssumed"> <source>Cannot infer a return type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo devuelto; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaNoTypeObjectAssumed_Title"> <source>Cannot infer a return type</source> <target state="translated">No se puede inferir un tipo de retorno</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaTooManyTypesObjectAssumed"> <source>Cannot infer a return type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo devuelto porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaTooManyTypesObjectAssumed_Title"> <source>Cannot infer a return type because more than one type is possible</source> <target state="translated">No se puede inferir un tipo de retorno porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNoTypeObjectDisallowed"> <source>Cannot infer a return type. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaTooManyTypesObjectDisallowed"> <source>Cannot infer a return type because more than one type is possible. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto porque es posible más de un tipo. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_UnimplementedCommandLineSwitch"> <source>The command line switch '{0}' is not yet implemented and was ignored.</source> <target state="translated">El modificador de línea de comandos '{0}' todavía no se ha implementado y se ha omitido.</target> <note /> </trans-unit> <trans-unit id="WRN_UnimplementedCommandLineSwitch_Title"> <source>Command line switch is not yet implemented</source> <target state="translated">El switch de la línea de comandos aún no está implementado</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitNoTypeObjectDisallowed"> <source>Cannot infer an element type, and Option Strict On does not allow 'Object' to be assumed. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento y Option Strict On no permite suponer 'Object'. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitNoType"> <source>Cannot infer an element type. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitTooManyTypesObjectDisallowed"> <source>Cannot infer an element type because more than one type is possible. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento porque es posible más de un tipo. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitNoTypeObjectAssumed"> <source>Cannot infer an element type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo de elemento; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitNoTypeObjectAssumed_Title"> <source>Cannot infer an element type</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitTooManyTypesObjectAssumed"> <source>Cannot infer an element type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo de elemento porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitTooManyTypesObjectAssumed_Title"> <source>Cannot infer an element type because more than one type is possible</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="WRN_TypeInferenceAssumed3"> <source>Data type of '{0}' in '{1}' could not be inferred. '{2}' assumed.</source> <target state="translated">No se pudo inferir el tipo de datos de '{0}' en '{1}'. Se supone '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeInferenceAssumed3_Title"> <source>Data type could not be inferred</source> <target state="translated">El tipo de datos no se puede inferir</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousCastConversion2"> <source>Option Strict On does not allow implicit conversions from '{0}' to '{1}' because the conversion is ambiguous.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}' porque la conversión es ambigua.</target> <note /> </trans-unit> <trans-unit id="WRN_AmbiguousCastConversion2"> <source>Conversion from '{0}' to '{1}' may be ambiguous.</source> <target state="translated">La conversión de '{0}' a '{1}' puede ser ambigua.</target> <note /> </trans-unit> <trans-unit id="WRN_AmbiguousCastConversion2_Title"> <source>Conversion may be ambiguous</source> <target state="translated">La conversión puede ser ambigua</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceIEnumerableSuggestion3"> <source>'{0}' cannot be converted to '{1}'. Consider using '{2}' instead.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. En su lugar, puede usar '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceIEnumerableSuggestion3"> <source>'{0}' cannot be converted to '{1}'. Consider using '{2}' instead.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. En su lugar, puede usar '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceIEnumerableSuggestion3_Title"> <source>Type cannot be converted to target collection type</source> <target state="translated">El tipo no se puede convertir a un tipo de colección de destino</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedIn6"> <source>'{4}' cannot be converted to '{5}' because '{0}' is not derived from '{1}', as required for the 'In' generic parameter '{2}' in '{3}'.</source> <target state="translated">'{4}' no se puede convertir en '{5}' porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'In' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedOut6"> <source>'{4}' cannot be converted to '{5}' because '{0}' is not derived from '{1}', as required for the 'Out' generic parameter '{2}' in '{3}'.</source> <target state="translated">'{4}' no se puede convertir en '{5}' porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'Out' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedIn6"> <source>Implicit conversion from '{4}' to '{5}'; this conversion may fail because '{0}' is not derived from '{1}', as required for the 'In' generic parameter '{2}' in '{3}'.</source> <target state="translated">Conversión implícita de '{4}' a '{5}'; esta conversión puede dar error porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'In' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedIn6_Title"> <source>Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for 'In' generic parameter</source> <target state="translated">Conversión implícita; es posible que esta conversión dé un error porque el tipo de destino no se deriva del tipo de origen, tal y como se necesita para el parámetro genérico 'In'</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedOut6"> <source>Implicit conversion from '{4}' to '{5}'; this conversion may fail because '{0}' is not derived from '{1}', as required for the 'Out' generic parameter '{2}' in '{3}'.</source> <target state="translated">Conversión implícita de '{4}' a '{5}'; esta conversión puede dar error porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'Out' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedOut6_Title"> <source>Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for 'Out' generic parameter</source> <target state="translated">Conversión implícita; es posible que esta conversión dé un error porque el tipo de destino no se deriva del tipo de origen, tal y como necesita el parámetro genérico 'Out'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedTryIn4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an In type parameter, 'In {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo In, 'In {2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedTryOut4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an Out type parameter, 'Out {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo Out, 'Out {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryIn4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an In type parameter, 'In {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo In, 'In {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryIn4_Title"> <source>Type cannot be converted to target type</source> <target state="translated">El tipo no se puede convertir al tipo de destino</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryOut4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an Out type parameter, 'Out {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo Out, 'Out {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryOut4_Title"> <source>Type cannot be converted to target type</source> <target state="translated">El tipo no se puede convertir al tipo de destino</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceDeclarationAmbiguous3"> <source>Interface '{0}' is ambiguous with another implemented interface '{1}' due to the 'In' and 'Out' parameters in '{2}'.</source> <target state="translated">La interfaz '{0}' es ambigua con otra interfaz implementada '{1}' debido a los parámetros 'In' y 'Out' de '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceDeclarationAmbiguous3_Title"> <source>Interface is ambiguous with another implemented interface due to 'In' and 'Out' parameters</source> <target state="translated">La interfaz es ambigua con otra interfaz implementada debido a los parámetros 'In' y 'Out'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInterfaceNesting"> <source>Enumerations, classes, and structures cannot be declared in an interface that has an 'In' or 'Out' type parameter.</source> <target state="translated">Las enumeraciones, las clases y las estructuras no se pueden declarar en una interfaz que tenga un parámetro de tipo 'In' o 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VariancePreventsSynthesizedEvents2"> <source>Event definitions with parameters are not allowed in an interface such as '{0}' that has 'In' or 'Out' type parameters. Consider declaring the event by using a delegate type which is not defined within '{0}'. For example, 'Event {1} As Action(Of ...)'.</source> <target state="translated">No se permiten definiciones de evento con parámetros en una interfaz como '{0}' que tenga parámetros de tipo 'In' o 'Out'. Puede declarar el evento usando un tipo delegado que no esté definido en '{0}'. Por ejemplo, 'Event {1} As Action(Of ...)'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInByRefDisallowed1"> <source>Type '{0}' cannot be used in this context because 'In' and 'Out' type parameters cannot be used for ByRef parameter types, and '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque los parámetros de tipo 'In' y 'Out' no se pueden usar para tipos de parámetro ByRef, y '{0}' es un parámetro de tipo 'In'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInNullableDisallowed2"> <source>Type '{0}' cannot be used in '{1}' because 'In' and 'Out' type parameters cannot be made nullable, and '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' porque no se puede hacer que los parámetros de tipo 'In' y 'Out' acepten valores NULL y '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowed1"> <source>Type '{0}' cannot be used in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedForGeneric3"> <source>Type '{0}' cannot be used for the '{1}' in '{2}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{1}' de '{2}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedHere2"> <source>Type '{0}' cannot be used in '{1}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedHereForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' of '{3}' in '{1}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInPropertyDisallowed1"> <source>Type '{0}' cannot be used as a property type in this context because '{0}' is an 'In' type parameter and the property is not marked WriteOnly.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad en este contexto porque '{0}' es un parámetro de tipo 'In' y la propiedad no está marcada como WriteOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInReadOnlyPropertyDisallowed1"> <source>Type '{0}' cannot be used as a ReadOnly property type because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad ReadOnly porque '{0}' es un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInReturnDisallowed1"> <source>Type '{0}' cannot be used as a return type because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como tipo de valor devuelto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutByRefDisallowed1"> <source>Type '{0}' cannot be used in this context because 'In' and 'Out' type parameters cannot be used for ByRef parameter types, and '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque los parámetros de tipo 'In' y 'Out' no se pueden usar para tipos de parámetro ByRef, y '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutByValDisallowed1"> <source>Type '{0}' cannot be used as a ByVal parameter type because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de parámetro ByVal porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutConstraintDisallowed1"> <source>Type '{0}' cannot be used as a generic type constraint because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como una restricción de tipo genérico porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutNullableDisallowed2"> <source>Type '{0}' cannot be used in '{1}' because 'In' and 'Out' type parameters cannot be made nullable, and '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' porque no se puede hacer que los parámetros de tipo 'In' y 'Out' acepten valores NULL, y '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowed1"> <source>Type '{0}' cannot be used in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedForGeneric3"> <source>Type '{0}' cannot be used for the '{1}' in '{2}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{1}' de '{2}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedHere2"> <source>Type '{0}' cannot be used in '{1}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedHereForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' of '{3}' in '{1}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutPropertyDisallowed1"> <source>Type '{0}' cannot be used as a property type in this context because '{0}' is an 'Out' type parameter and the property is not marked ReadOnly.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad en este contexto porque '{0}' es un parámetro de tipo 'Out' y la propiedad no está marcada como ReadOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutWriteOnlyPropertyDisallowed1"> <source>Type '{0}' cannot be used as a WriteOnly property type because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad WriteOnly porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowed2"> <source>Type '{0}' cannot be used in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' in '{3}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedHere3"> <source>Type '{0}' cannot be used in '{2}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' en '{2}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedHereForGeneric5"> <source>Type '{0}' cannot be used for the '{3}' of '{4}' in '{2}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{3}' de '{4}' en '{2}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParameterNotValidForType"> <source>Parameter not valid for the specified unmanaged type.</source> <target state="translated">Parámetro no válido para el tipo no administrado especificado.</target> <note /> </trans-unit> <trans-unit id="ERR_MarshalUnmanagedTypeNotValidForFields"> <source>Unmanaged type '{0}' not valid for fields.</source> <target state="translated">El tipo '{0}' sin administrar no es válido para los campos.</target> <note /> </trans-unit> <trans-unit id="ERR_MarshalUnmanagedTypeOnlyValidForFields"> <source>Unmanaged type '{0}' is only valid for fields.</source> <target state="translated">El tipo '{0}' sin administrar solo es válido para los campos.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeParameterRequired1"> <source>Attribute parameter '{0}' must be specified.</source> <target state="translated">Hay que especificar el parámetro de atributo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeParameterRequired2"> <source>Attribute parameter '{0}' or '{1}' must be specified.</source> <target state="translated">Hay que especificar el parámetro de atributo '{0}' o '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MemberConflictWithSynth4"> <source>Conflicts with '{0}', which is implicitly declared for '{1}' in {2} '{3}'.</source> <target state="translated">Entra en conflicto con '{0}', que está implícitamente declarado para '{1}' en {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="IDS_ProjectSettingsLocationName"> <source>&lt;project settings&gt;</source> <target state="translated">&lt;configuración del proyecto&gt;</target> <note /> </trans-unit> <trans-unit id="WRN_ReturnTypeAttributeOnWriteOnlyProperty"> <source>Attributes applied on a return type of a WriteOnly Property have no effect.</source> <target state="translated">Los atributos aplicados en un tipo de valor devuelto de una propiedad WriteOnly no tienen efecto.</target> <note /> </trans-unit> <trans-unit id="WRN_ReturnTypeAttributeOnWriteOnlyProperty_Title"> <source>Attributes applied on a return type of a WriteOnly Property have no effect</source> <target state="translated">Los atributos aplicados en un tipo de retorno de una propiedad WriteOnly no tienen efecto</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidTarget"> <source>Security attribute '{0}' is not valid on this declaration type. Security attributes are only valid on assembly, type and method declarations.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido en este tipo de declaración. Los atributos de seguridad solo son válidos en las declaraciones de ensamblado, de tipo y de método.</target> <note /> </trans-unit> <trans-unit id="ERR_AbsentReferenceToPIA1"> <source>Cannot find the interop type that matches the embedded type '{0}'. Are you missing an assembly reference?</source> <target state="translated">No se encuentra el tipo de interoperabilidad que coincide con el tipo incrustado '{0}'. ¿Falta alguna referencia de ensamblado?</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLinkClassWithNoPIA1"> <source>Reference to class '{0}' is not allowed when its assembly is configured to embed interop types.</source> <target state="translated">La referencia a la clase '{0}' no está permitida cuando su ensamblado está configurado para incrustar tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidStructMemberNoPIA1"> <source>Embedded interop structure '{0}' can contain only public instance fields.</source> <target state="translated">La estructura de interoperabilidad '{0}' incrustada solo puede contener campos de instancia públicos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoPIAAttributeMissing2"> <source>Interop type '{0}' cannot be embedded because it is missing the required '{1}' attribute.</source> <target state="translated">El tipo de interoperabilidad '{0}' no se puede incrustar porque le falta el atributo '{1}' requerido.</target> <note /> </trans-unit> <trans-unit id="ERR_PIAHasNoAssemblyGuid1"> <source>Cannot embed interop types from assembly '{0}' because it is missing the '{1}' attribute.</source> <target state="translated">No se pueden incrustar tipos de interoperabilidad desde el ensamblado '{0}' porque no tiene el atributo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocalTypes3"> <source>Cannot embed interop type '{0}' found in both assembly '{1}' and '{2}'. Consider disabling the embedding of interop types.</source> <target state="translated">No se puede incrustar el tipo de interoperabilidad '{0}' encontrado en el ensamblado '{1}' y en '{2}'. Puede deshabilitar la incrustación de los tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_PIAHasNoTypeLibAttribute1"> <source>Cannot embed interop types from assembly '{0}' because it is missing either the '{1}' attribute or the '{2}' attribute.</source> <target state="translated">No se pueden incrustar tipos de interoperabilidad desde el ensamblado '{0}' porque le falta el atributo '{1}' o '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SourceInterfaceMustBeInterface"> <source>Interface '{0}' has an invalid source interface which is required to embed event '{1}'.</source> <target state="translated">La interfaz '{0}' tiene una interfaz de origen no válida necesaria para incrustar el evento '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventNoPIANoBackingMember"> <source>Source interface '{0}' is missing method '{1}', which is required to embed event '{2}'.</source> <target state="translated">En la interfaz de origen '{0}' falta el método '{1}', que es necesario para incrustar el evento '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedInteropType"> <source>Nested type '{0}' cannot be embedded.</source> <target state="translated">El tipo anidado '{0}' no se puede incrustar.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalTypeNameClash2"> <source>Embedding the interop type '{0}' from assembly '{1}' causes a name clash in the current assembly. Consider disabling the embedding of interop types.</source> <target state="translated">Incrustar el tipo de interoperabilidad '{0}' desde el ensamblado '{1}' provoca un conflicto de nombre en el ensamblado actual. Puede deshabilitar la incrustación de los tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_InteropMethodWithBody1"> <source>Embedded interop method '{0}' contains a body.</source> <target state="translated">El método de interoperabilidad incrustado '{0}' contiene un cuerpo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncInQuery"> <source>'Await' may only be used in a query expression within the first collection expression of the initial 'From' clause or within the collection expression of a 'Join' clause.</source> <target state="translated">'Await' solamente se puede usar en una expresión de consulta dentro de la primera expresión de colección de la cláusula 'From' inicial o dentro de la expresión de colección de una cláusula 'Join'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadGetAwaiterMethod1"> <source>'Await' requires that the type '{0}' have a suitable GetAwaiter method.</source> <target state="translated">'Await' requiere que el tipo '{0}' tenga un método GetAwaiter adecuado.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIsCompletedOnCompletedGetResult2"> <source>'Await' requires that the return type '{0}' of '{1}.GetAwaiter()' have suitable IsCompleted, OnCompleted and GetResult members, and implement INotifyCompletion or ICriticalNotifyCompletion.</source> <target state="translated">'Await' requiere que el tipo de valor devuelto '{0}' de '{1}.GetAwaiter()' tenga los miembros IsCompleted, OnCompleted y GetResult adecuados, e implemente INotifyCompletion o ICriticalNotifyCompletion.</target> <note /> </trans-unit> <trans-unit id="ERR_DoesntImplementAwaitInterface2"> <source>'{0}' does not implement '{1}'.</source> <target state="translated">'{0}' no implementa '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitNothing"> <source>Cannot await Nothing. Consider awaiting 'Task.Yield()' instead.</source> <target state="translated">No se puede usar Await con Nothing. Puede usarlo con 'Task.Yield()'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncByRefParam"> <source>Async methods cannot have ByRef parameters.</source> <target state="translated">Los métodos asincrónicos no pueden tener parámetros ByRef.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAsyncIteratorModifiers"> <source>'Async' and 'Iterator' modifiers cannot be used together.</source> <target state="translated">'Los modificadores 'Async' e 'Iterator' no se pueden usar juntos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadResumableAccessReturnVariable"> <source>The implicit return variable of an Iterator or Async method cannot be accessed.</source> <target state="translated">No se puede obtener acceso a la variable devuelta implícita de un método Iterator o Async.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnFromNonGenericTaskAsync"> <source>'Return' statements in this Async method cannot return a value since the return type of the function is 'Task'. Consider changing the function's return type to 'Task(Of T)'.</source> <target state="translated">'Las instrucciones 'Return' del método Async no pueden devolver un valor, ya que el tipo de valor devuelto de la función es 'Task'. Puede cambiar el tipo de valor devuelto de la función a 'Task(Of T)'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncReturnOperand1"> <source>Since this is an async method, the return expression must be of type '{0}' rather than 'Task(Of {0})'.</source> <target state="translated">Como este es un método asincrónico, la expresión devuelta debe ser de tipo '{0}' en lugar de 'Task(Of {0})'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncReturn"> <source>The 'Async' modifier can only be used on Subs, or on Functions that return Task or Task(Of T).</source> <target state="translated">El modificador 'Async' solamente se puede usar en Subs o en funciones que devuelvan Task o Task(Of T).</target> <note /> </trans-unit> <trans-unit id="ERR_CantAwaitAsyncSub1"> <source>'{0}' does not return a Task and cannot be awaited. Consider changing it to an Async Function.</source> <target state="translated">'{0}' no devuelve una tarea y no se le puede aplicar await. Puede cambiarla a una función asincrónica.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidLambdaModifier"> <source>'Only the 'Async' or 'Iterator' modifier is valid on a lambda.</source> <target state="translated">'Solo los modificadores 'Async' o 'Iterator' son válidos en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncMethod"> <source>'Await' can only be used within an Async method. Consider marking this method with the 'Async' modifier and changing its return type to 'Task(Of {0})'.</source> <target state="translated">'Await' solo se puede usar dentro de un método Async. Puede marcar este método con el modificador 'Async' y cambiar su tipo de valor devuelto a 'Task(Of {0})'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncVoidMethod"> <source>'Await' can only be used within an Async method. Consider marking this method with the 'Async' modifier and changing its return type to 'Task'.</source> <target state="translated">'Await' solo se puede usar dentro de un método Async. Marque este método con el modificador 'Async' y cambie su tipo de valor devuelto a 'Task'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncLambda"> <source>'Await' can only be used within an Async lambda expression. Consider marking this lambda expression with the 'Async' modifier.</source> <target state="translated">'Await' solo se puede usar dentro de una expresión lambda. Marque esta expresión lambda con el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitNotInAsyncMethodOrLambda"> <source>'Await' can only be used when contained within a method or lambda expression marked with the 'Async' modifier.</source> <target state="translated">'Await' solo se puede usar cuando está contenido dentro de un método o expresión lambda marcada con el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_StatementLambdaInExpressionTree"> <source>Statement lambdas cannot be converted to expression trees.</source> <target state="translated">Las expresiones lambda de instrucción no se pueden convertir en árboles de expresión.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableExpression"> <source>Because this call is not awaited, execution of the current method continues before the call is completed. Consider applying the Await operator to the result of the call.</source> <target state="translated">Como esta llamada no es 'awaited', la ejecución del método actual continuará antes de que se complete la llamada. Puede aplicar el operador Await al resultado de la llamada.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableExpression_Title"> <source>Because this call is not awaited, execution of the current method continues before the call is completed</source> <target state="translated">Dado que no se esperaba esta llamada, la ejecución del método actual continuará antes de que se complete la llamada</target> <note /> </trans-unit> <trans-unit id="ERR_LoopControlMustNotAwait"> <source>Loop control variable cannot include an 'Await'.</source> <target state="translated">La variable de control de bucle no puede incluir 'Await'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticInitializerInResumable"> <source>Static variables cannot appear inside Async or Iterator methods.</source> <target state="translated">Las variables estáticas no pueden aparecer dentro de los métodos Async ni Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedResumableType1"> <source>'{0}' cannot be used as a parameter type for an Iterator or Async method.</source> <target state="translated">'{0}' no se puede usar como tipo de parámetro para un método Iterator o Async.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorAsync"> <source>Constructor must not have the 'Async' modifier.</source> <target state="translated">El constructor no debe tener el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustNotBeAsync1"> <source>'{0}' cannot be declared 'Partial' because it has the 'Async' modifier.</source> <target state="translated">'{0}' no se puede declarar como 'Partial' porque tiene el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_ResumablesCannotContainOnError"> <source>'On Error' and 'Resume' cannot appear inside async or iterator methods.</source> <target state="translated">'On Error' y 'Resume' no pueden aparecer dentro de métodos asincrónicos o iteradores.</target> <note /> </trans-unit> <trans-unit id="ERR_ResumableLambdaInExpressionTree"> <source>Lambdas with the 'Async' or 'Iterator' modifiers cannot be converted to expression trees.</source> <target state="translated">Las expresiones lambda con los modificadores 'Async' o 'Iterator' no se pueden convertir en árboles de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeResumable1"> <source>Variable of restricted type '{0}' cannot be declared in an Async or Iterator method.</source> <target state="translated">La variable del tipo restringido '{0}' no se puede declarar en un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInTryHandler"> <source>'Await' cannot be used inside a 'Catch' statement, a 'Finally' statement, or a 'SyncLock' statement.</source> <target state="translated">'Await' no se puede usar dentro de una instrucción 'Catch', 'Finally' ni 'SyncLock'.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncLacksAwaits"> <source>This async method lacks 'Await' operators and so will run synchronously. Consider using the 'Await' operator to await non-blocking API calls, or 'Await Task.Run(...)' to do CPU-bound work on a background thread.</source> <target state="translated">A este método asincrónico le faltan operadores 'Await' y se ejecutará de forma sincrónica. Puede usar el operador 'Await' para esperar llamadas API que no sean de bloqueo o 'Await Task.Run(...)' para realizar tareas enlazadas a la CPU en un subproceso en segundo plano.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncLacksAwaits_Title"> <source>This async method lacks 'Await' operators and so will run synchronously</source> <target state="translated">Este método asincrónico no tiene los operadores 'Await' por lo que se ejecutará de forma sincrónica</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableDelegate"> <source>The Task returned from this Async Function will be dropped, and any exceptions in it ignored. Consider changing it to an Async Sub so its exceptions are propagated.</source> <target state="translated">La tarea devuelta por esta función asincrónica se anulará y se omitirán todas sus excepciones. Puede cambiarla a una Sub asincrónica para que se propaguen sus excepciones.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableDelegate_Title"> <source>The Task returned from this Async Function will be dropped, and any exceptions in it ignored</source> <target state="translated">La tarea devuelta desde esta función asincrónica se anulará y se ignorará cualquiera de sus excepciones</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityCriticalAsyncInClassOrStruct"> <source>Async and Iterator methods are not allowed in a [Class|Structure|Interface|Module] that has the 'SecurityCritical' or 'SecuritySafeCritical' attribute.</source> <target state="translated">Los métodos Async e Iterator no se permiten en una [Clase|Estructura|Interfaz|Módulo] que tenga el atributo 'SecurityCritical' o 'SecuritySafeCritical'.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityCriticalAsync"> <source>Security attribute '{0}' cannot be applied to an Async or Iterator method.</source> <target state="translated">El atributo de seguridad '{0}' no se puede aplicar a un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnResumableMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to an Async or Iterator method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_SynchronizedAsyncMethod"> <source>'MethodImplOptions.Synchronized' cannot be applied to an Async method.</source> <target state="translated">'MethodImplOptions.Synchronized' no se puede aplicar a un método Async.</target> <note /> </trans-unit> <trans-unit id="ERR_AsyncSubMain"> <source>The 'Main' method cannot be marked 'Async'.</source> <target state="translated">El método 'Main' no se puede marcar como 'Async'.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncSubCouldBeFunction"> <source>Some overloads here take an Async Function rather than an Async Sub. Consider either using an Async Function, or casting this Async Sub explicitly to the desired type.</source> <target state="translated">Algunas de estas sobrecargas toman una función asincrónica en lugar de Sub asincrónico. Puede usar una función asincrónica o convertir este Sub asincrónico explícitamente en el tipo deseado.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncSubCouldBeFunction_Title"> <source>Some overloads here take an Async Function rather than an Async Sub</source> <target state="translated">Algunas sobrecargas toman una función asincrónica en lugar de una subfunción asincrónica</target> <note /> </trans-unit> <trans-unit id="ERR_MyGroupCollectionAttributeCycle"> <source>MyGroupCollectionAttribute cannot be applied to itself.</source> <target state="translated">MyGroupCollectionAttribute no se puede aplicar a sí mismo.</target> <note /> </trans-unit> <trans-unit id="ERR_LiteralExpected"> <source>Literal expected.</source> <target state="translated">Se esperaba un literal.</target> <note /> </trans-unit> <trans-unit id="ERR_WinRTEventWithoutDelegate"> <source>Event declarations that target WinMD must specify a delegate type. Add an As clause to the event declaration.</source> <target state="translated">Las declaraciones de eventos cuyo destino es WinMD deben especificar un tipo de delegado. Agregue una cláusula As a la declaración de eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_MixingWinRTAndNETEvents"> <source>Event '{0}' cannot implement a Windows Runtime event '{1}' and a regular .NET event '{2}'</source> <target state="translated">El evento '{0}' no puede implementar un evento '{1}' de Windows Runtime y un evento '{2}' regular de .NET.</target> <note /> </trans-unit> <trans-unit id="ERR_EventImplRemoveHandlerParamWrong"> <source>Event '{0}' cannot implement event '{1}' on interface '{2}' because the parameters of their 'RemoveHandler' methods do not match.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{1}' en la interfaz '{2}' porque los parámetros de sus métodos 'RemoveHandler' no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_AddParamWrongForWinRT"> <source>The type of the 'AddHandler' method's parameter must be the same as the type of the event.</source> <target state="translated">El parámetro del método 'AddHandler' debe tener el mismo tipo que el evento.</target> <note /> </trans-unit> <trans-unit id="ERR_RemoveParamWrongForWinRT"> <source>In a Windows Runtime event, the type of the 'RemoveHandler' method parameter must be 'EventRegistrationToken'</source> <target state="translated">En un evento de Windows Runtime, el tipo de parámetro de método 'RemoveHandler' debe ser 'EventRegistrationToken'</target> <note /> </trans-unit> <trans-unit id="ERR_ReImplementingWinRTInterface5"> <source>'{0}.{1}' from 'implements {2}' is already implemented by the base class '{3}'. Re-implementation of Windows Runtime Interface '{4}' is not allowed</source> <target state="translated">'{0}.{1}' de 'implements {2}' ya está implementado por la clase base '{3}'. No se permite volver a implementar la interfaz '{4}' de Windows Runtime.</target> <note /> </trans-unit> <trans-unit id="ERR_ReImplementingWinRTInterface4"> <source>'{0}.{1}' is already implemented by the base class '{2}'. Re-implementation of Windows Runtime Interface '{3}' is not allowed</source> <target state="translated">'{0}.{1}' ya está implementado por la clase base '{2}'. No se permite volver a implementar la interfaz '{3}' de Windows Runtime.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorByRefParam"> <source>Iterator methods cannot have ByRef parameters.</source> <target state="translated">Los métodos Iterator no pueden tener parámetros ByRef.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorExpressionLambda"> <source>Single-line lambdas cannot have the 'Iterator' modifier. Use a multiline lambda instead.</source> <target state="translated">Las expresiones lambda de una sola línea no pueden tener el modificador 'Iterator'. Use una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorReturn"> <source>Iterator functions must return either IEnumerable(Of T), or IEnumerator(Of T), or the non-generic forms IEnumerable or IEnumerator.</source> <target state="translated">Las funciones de iterador deben devolver IEnumerable(Of T) o IEnumerator(Of T), o bien las formas no genéricas IEnumerable o IEnumerator.</target> <note /> </trans-unit> <trans-unit id="ERR_BadReturnValueInIterator"> <source>To return a value from an Iterator function, use 'Yield' rather than 'Return'.</source> <target state="translated">Para devolver un valor desde una función Iterator, use 'Yield' en lugar de 'Return'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadYieldInNonIteratorMethod"> <source>'Yield' can only be used in a method marked with the 'Iterator' modifier.</source> <target state="translated">'Yield' solamente se puede usar en un método marcado con el modificador 'Iterator'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadYieldInTryHandler"> <source>'Yield' cannot be used inside a 'Catch' statement or a 'Finally' statement.</source> <target state="translated">'Yield' no se puede usar dentro de una instrucción 'Catch' o 'Finally'.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValWinRtEventVal1"> <source>The AddHandler for Windows Runtime event '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">El AddHandler para el evento '{0}' de Windows Runtime no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValWinRtEventVal1_Title"> <source>The AddHandler for Windows Runtime event doesn't return a value on all code paths</source> <target state="translated">AddHandler para el evento de Windows Runtime no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodDefaultParameterValueMismatch2"> <source>Optional parameter of a method '{0}' does not have the same default value as the corresponding parameter of the partial method '{1}'.</source> <target state="translated">El parámetro opcional de un método '{0}' no tiene el mismo valor predeterminado que el parámetro correspondiente del método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodParamArrayMismatch2"> <source>Parameter of a method '{0}' differs by ParamArray modifier from the corresponding parameter of the partial method '{1}'.</source> <target state="translated">El parámetro de un método '{0}' se diferencia en el modificador ParamArray del parámetro correspondiente del método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NetModuleNameMismatch"> <source>Module name '{0}' stored in '{1}' must match its filename.</source> <target state="translated">El nombre de archivo '{0}' almacenado en '{1}' debe coincidir con su nombre de archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleName"> <source>Invalid module name: {0}</source> <target state="translated">Nombre de módulo no válido: {0}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyAttributeFromModuleIsOverridden"> <source>Attribute '{0}' from module '{1}' will be ignored in favor of the instance appearing in source.</source> <target state="translated">El atributo '{0}' del módulo '{1}' se omitirá a favor de la instancia que aparece en el origen.</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyAttributeFromModuleIsOverridden_Title"> <source>Attribute from module will be ignored in favor of the instance appearing in source</source> <target state="translated">Se ignorará el atributo del módulo en favor de la instancia que aparece en el origen</target> <note /> </trans-unit> <trans-unit id="ERR_CmdOptionConflictsSource"> <source>Attribute '{0}' given in a source file conflicts with option '{1}'.</source> <target state="translated">El atributo '{0}' indicado en un archivo de origen entra en conflicto con la opción '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_ReferencedAssemblyDoesNotHaveStrongName"> <source>Referenced assembly '{0}' does not have a strong name.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia no tiene un nombre seguro.</target> <note /> </trans-unit> <trans-unit id="WRN_ReferencedAssemblyDoesNotHaveStrongName_Title"> <source>Referenced assembly does not have a strong name</source> <target state="translated">El ensamblado al que se hace referencia no tiene un nombre seguro</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSignaturePublicKey"> <source>Invalid signature public key specified in AssemblySignatureKeyAttribute.</source> <target state="translated">Se especificó una clave pública de firma no válida en AssemblySignatureKeyAttribute.</target> <note /> </trans-unit> <trans-unit id="ERR_CollisionWithPublicTypeInModule"> <source>Type '{0}' conflicts with public type defined in added module '{1}'.</source> <target state="translated">El tipo '{0}' entra en conflicto con el tipo público definido en el módulo agregado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExportedTypeConflictsWithDeclaration"> <source>Type '{0}' exported from module '{1}' conflicts with type declared in primary module of this assembly.</source> <target state="translated">El tipo '{0}' exportado del módulo '{1}' entra en conflicto con el tipo declarado en el módulo primario de este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExportedTypesConflict"> <source>Type '{0}' exported from module '{1}' conflicts with type '{2}' exported from module '{3}'.</source> <target state="translated">El tipo '{0}' exportado del módulo '{1}' entra en conflicto con el tipo '{2}' exportado del módulo '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RefCultureMismatch"> <source>Referenced assembly '{0}' has different culture setting of '{1}'.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia tiene una configuración de referencia cultural distinta de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RefCultureMismatch_Title"> <source>Referenced assembly has different culture setting</source> <target state="translated">El ensamblaje referenciado tiene una configuración de cultura diferente</target> <note /> </trans-unit> <trans-unit id="ERR_AgnosticToMachineModule"> <source>Agnostic assembly cannot have a processor specific module '{0}'.</source> <target state="translated">El ensamblado válido no puede tener un módulo específico de procesador '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingMachineModule"> <source>Assembly and module '{0}' cannot target different processors.</source> <target state="translated">El ensamblado y el módulo '{0}' no pueden tener como destino procesadores distintos.</target> <note /> </trans-unit> <trans-unit id="WRN_ConflictingMachineAssembly"> <source>Referenced assembly '{0}' targets a different processor.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia está destinado a un procesador diferente.</target> <note /> </trans-unit> <trans-unit id="WRN_ConflictingMachineAssembly_Title"> <source>Referenced assembly targets a different processor</source> <target state="translated">El ensamblador al que se hace referencia tiene como objetivo a otro procesador</target> <note /> </trans-unit> <trans-unit id="ERR_CryptoHashFailed"> <source>Cryptographic failure while creating hashes.</source> <target state="translated">Error criptográfico al crear hashes.</target> <note /> </trans-unit> <trans-unit id="ERR_CantHaveWin32ResAndManifest"> <source>Conflicting options specified: Win32 resource file; Win32 manifest.</source> <target state="translated">Se especificaron opciones conflictivas: archivo de recursos de Win32; manifiesto de Win32.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeConflictsWithDeclaration"> <source>Forwarded type '{0}' conflicts with type declared in primary module of this assembly.</source> <target state="translated">El tipo reenviado '{0}' entra en conflicto con el tipo declarado en el módulo primario de este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypesConflict"> <source>Type '{0}' forwarded to assembly '{1}' conflicts with type '{2}' forwarded to assembly '{3}'.</source> <target state="translated">El tipo '{0}' reenviado al ensamblado '{1}' entra en conflicto con el tipo '{2}' reenviado al ensamblado '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooLongMetadataName"> <source>Name '{0}' exceeds the maximum length allowed in metadata.</source> <target state="translated">El nombre '{0}' supera la longitud máxima permitida en los metadatos.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingNetModuleReference"> <source>Reference to '{0}' netmodule missing.</source> <target state="translated">Falta la referencia al netmodule '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NetModuleNameMustBeUnique"> <source>Module '{0}' is already defined in this assembly. Each module must have a unique filename.</source> <target state="translated">El módulo '{0}' ya está definido en este ensamblado. Cada módulo debe tener un nombre de archivo único.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeConflictsWithExportedType"> <source>Type '{0}' forwarded to assembly '{1}' conflicts with type '{2}' exported from module '{3}'.</source> <target state="translated">El tipo '{0}' reenviado al ensamblado '{1}' entra en conflicto con el tipo '{2}' exportado del módulo '{3}'.</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDREFERENCE"> <source>Adding assembly reference '{0}'</source> <target state="translated">Agregando referencia de ensamblado '{0}'</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDLINKREFERENCE"> <source>Adding embedded assembly reference '{0}'</source> <target state="translated">Agregando referencia de ensamblado incrustado '{0}'</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDMODULE"> <source>Adding module reference '{0}'</source> <target state="translated">Agregando referencia de módulo '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_NestingViolatesCLS1"> <source>Type '{0}' does not inherit the generic type parameters of its container.</source> <target state="translated">El tipo '{0}' no hereda los parámetros de tipo genérico de su contenedor.</target> <note /> </trans-unit> <trans-unit id="ERR_PDBWritingFailed"> <source>Failure writing debug information: {0}</source> <target state="translated">Error al escribir información de depuración: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_ParamDefaultValueDiffersFromAttribute"> <source>The parameter has multiple distinct default values.</source> <target state="translated">El parámetro tiene varios valores predeterminados distintos.</target> <note /> </trans-unit> <trans-unit id="ERR_FieldHasMultipleDistinctConstantValues"> <source>The field has multiple distinct constant values.</source> <target state="translated">El campo tiene varios valores constantes distintos.</target> <note /> </trans-unit> <trans-unit id="ERR_EncNoPIAReference"> <source>Cannot continue since the edit includes a reference to an embedded type: '{0}'.</source> <target state="translated">No se puede continuar porque la edición incluye una referencia a un tipo incrustado: '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EncReferenceToAddedMember"> <source>Member '{0}' added during the current debug session can only be accessed from within its declaring assembly '{1}'.</source> <target state="translated">Al miembro '{0}' agregado durante la sesión de depuración actual solo se puede acceder desde el ensamblado donde se declara, '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedModule1"> <source>'{0}' is an unsupported .NET module.</source> <target state="translated">'{0}' es un módulo .NET no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedEvent1"> <source>'{0}' is an unsupported event.</source> <target state="translated">'{0}' es un evento no admitido.</target> <note /> </trans-unit> <trans-unit id="PropertiesCanNotHaveTypeArguments"> <source>Properties can not have type arguments</source> <target state="translated">Las propiedades no pueden tener argumentos de tipo</target> <note /> </trans-unit> <trans-unit id="IdentifierSyntaxNotWithinSyntaxTree"> <source>IdentifierSyntax not within syntax tree</source> <target state="translated">IdentifierSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="AnonymousObjectCreationExpressionSyntaxNotWithinTree"> <source>AnonymousObjectCreationExpressionSyntax not within syntax tree</source> <target state="translated">AnonymousObjectCreationExpressionSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="FieldInitializerSyntaxNotWithinSyntaxTree"> <source>FieldInitializerSyntax not within syntax tree</source> <target state="translated">FieldInitializerSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="IDS_TheSystemCannotFindThePathSpecified"> <source>The system cannot find the path specified</source> <target state="translated">El sistema no encuentra la ruta de acceso especificada</target> <note /> </trans-unit> <trans-unit id="ThereAreNoPointerTypesInVB"> <source>There are no pointer types in VB.</source> <target state="translated">No hay tipos de punteros en VB.</target> <note /> </trans-unit> <trans-unit id="ThereIsNoDynamicTypeInVB"> <source>There is no dynamic type in VB.</source> <target state="translated">No hay ningún tipo dinámico en VB.</target> <note /> </trans-unit> <trans-unit id="VariableSyntaxNotWithinSyntaxTree"> <source>variableSyntax not within syntax tree</source> <target state="translated">variableSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="AggregateSyntaxNotWithinSyntaxTree"> <source>AggregateSyntax not within syntax tree</source> <target state="translated">AggregateSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="FunctionSyntaxNotWithinSyntaxTree"> <source>FunctionSyntax not within syntax tree</source> <target state="translated">FunctionSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="PositionIsNotWithinSyntax"> <source>Position is not within syntax tree</source> <target state="translated">La posición no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="RangeVariableSyntaxNotWithinSyntaxTree"> <source>RangeVariableSyntax not within syntax tree</source> <target state="translated">RangeVariableSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="DeclarationSyntaxNotWithinSyntaxTree"> <source>DeclarationSyntax not within syntax tree</source> <target state="translated">DeclarationSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="StatementOrExpressionIsNotAValidType"> <source>StatementOrExpression is not an ExecutableStatementSyntax or an ExpressionSyntax</source> <target state="translated">StatementOrExpression no es una ExecutableStatementSyntax ni una ExpressionSyntax</target> <note /> </trans-unit> <trans-unit id="DeclarationSyntaxNotWithinTree"> <source>DeclarationSyntax not within tree</source> <target state="translated">DeclarationSyntax no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="TypeParameterNotWithinTree"> <source>TypeParameter not within tree</source> <target state="translated">TypeParameter no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="NotWithinTree"> <source> not within tree</source> <target state="translated"> no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="LocationMustBeProvided"> <source>Location must be provided in order to provide minimal type qualification.</source> <target state="translated">La ubicación se debe indicar para proporcionar una cualificación de tipo mínima.</target> <note /> </trans-unit> <trans-unit id="SemanticModelMustBeProvided"> <source>SemanticModel must be provided in order to provide minimal type qualification.</source> <target state="translated">SemanticModel se debe indicar para proporcionar una cualificación de tipo mínima.</target> <note /> </trans-unit> <trans-unit id="NumberOfTypeParametersAndArgumentsMustMatch"> <source>the number of type parameters and arguments should be the same</source> <target state="translated">el número de parámetros de tipo y de argumentos debe ser igual</target> <note /> </trans-unit> <trans-unit id="ERR_ResourceInModule"> <source>Cannot link resource files when building a module</source> <target state="translated">No se puede vincular archivos de recursos al compilar un módulo</target> <note /> </trans-unit> <trans-unit id="NotAVbSymbol"> <source>Not a VB symbol.</source> <target state="translated">No es un símbolo de VB.</target> <note /> </trans-unit> <trans-unit id="ElementsCannotBeNull"> <source>Elements cannot be null.</source> <target state="translated">Los elementos no pueden ser NULL.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportClause"> <source>Unused import clause.</source> <target state="translated">Cláusula de importación sin usar.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportStatement"> <source>Unused import statement.</source> <target state="translated">Instrucción de importación sin usar.</target> <note /> </trans-unit> <trans-unit id="WrongSemanticModelType"> <source>Expected a {0} SemanticModel.</source> <target state="translated">Se esperaba un SemanticModel de {0}.</target> <note /> </trans-unit> <trans-unit id="PositionNotWithinTree"> <source>Position must be within span of the syntax tree.</source> <target state="translated">La posición debe estar dentro del intervalo del árbol de sintaxis.</target> <note /> </trans-unit> <trans-unit id="SpeculatedSyntaxNodeCannotBelongToCurrentCompilation"> <source>Syntax node to be speculated cannot belong to a syntax tree from the current compilation.</source> <target state="translated">El nodo de sintaxis que se va a especular no puede pertenecer a un árbol de sintaxis de la compilación actual.</target> <note /> </trans-unit> <trans-unit id="ChainingSpeculativeModelIsNotSupported"> <source>Chaining speculative semantic model is not supported. You should create a speculative model from the non-speculative ParentModel.</source> <target state="translated">No se puede encadenar el modelo semántico especulativo. Tiene que crear un modelo especulativo desde el modelo principal no especulativo.</target> <note /> </trans-unit> <trans-unit id="IDS_ToolName"> <source>Microsoft (R) Visual Basic Compiler</source> <target state="translated">Compilador de Microsoft (R) Visual Basic</target> <note /> </trans-unit> <trans-unit id="IDS_LogoLine1"> <source>{0} version {1}</source> <target state="translated">{0} versión {1}</target> <note /> </trans-unit> <trans-unit id="IDS_LogoLine2"> <source>Copyright (C) Microsoft Corporation. All rights reserved.</source> <target state="translated">Copyright (C) Microsoft Corporation. Todos los derechos reservados.</target> <note /> </trans-unit> <trans-unit id="IDS_LangVersions"> <source>Supported language versions:</source> <target state="translated">Versiones de lenguaje admitidas:</target> <note /> </trans-unit> <trans-unit id="WRN_PdbLocalNameTooLong"> <source>Local name '{0}' is too long for PDB. Consider shortening or compiling without /debug.</source> <target state="translated">El nombre local '{0}' es demasiado largo para PDB. Puede acortar o compilar sin /debug.</target> <note /> </trans-unit> <trans-unit id="WRN_PdbLocalNameTooLong_Title"> <source>Local name is too long for PDB</source> <target state="translated">El nombre local es demasiado largo para PDB</target> <note /> </trans-unit> <trans-unit id="WRN_PdbUsingNameTooLong"> <source>Import string '{0}' is too long for PDB. Consider shortening or compiling without /debug.</source> <target state="translated">La cadena de importación '{0}' es demasiado larga para PDB. Puede acortar o compilar sin /debug.</target> <note /> </trans-unit> <trans-unit id="WRN_PdbUsingNameTooLong_Title"> <source>Import string is too long for PDB</source> <target state="translated">La cadena de importación es demasiado larga para PDB</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefToTypeParameter"> <source>XML comment has a tag with a 'cref' attribute '{0}' that bound to a type parameter. Use the &lt;typeparamref&gt; tag instead.</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' '{0}' enlazado a un parámetro de tipo. Use la etiqueta &lt;typeparamref&gt; en su lugar.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefToTypeParameter_Title"> <source>XML comment has a tag with a 'cref' attribute that bound to a type parameter</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' que enlaza a un parámetro de tipo</target> <note /> </trans-unit> <trans-unit id="ERR_LinkedNetmoduleMetadataMustProvideFullPEImage"> <source>Linked netmodule metadata must provide a full PE image: '{0}'.</source> <target state="translated">El metadato netmodule vinculado debe proporcionar una imagen PE completa: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerCannotBeCreated"> <source>An instance of analyzer {0} cannot be created from {1} : {2}.</source> <target state="translated">No se puede crear una instancia de analizador {0} desde {1} : {2}.</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerCannotBeCreated_Title"> <source>Instance of analyzer cannot be created</source> <target state="translated">No se puede crear la instancia del analizador</target> <note /> </trans-unit> <trans-unit id="WRN_NoAnalyzerInAssembly"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">El ensamblado {0} no contiene ningún analizador.</target> <note /> </trans-unit> <trans-unit id="WRN_NoAnalyzerInAssembly_Title"> <source>Assembly does not contain any analyzers</source> <target state="translated">El ensamblado no contiene ningún analizador</target> <note /> </trans-unit> <trans-unit id="WRN_UnableToLoadAnalyzer"> <source>Unable to load analyzer assembly {0} : {1}.</source> <target state="translated">No se puede cargar el ensamblado de analizador {0} : {1}.</target> <note /> </trans-unit> <trans-unit id="WRN_UnableToLoadAnalyzer_Title"> <source>Unable to load analyzer assembly</source> <target state="translated">No se puede cargar el ensamblado del analizador</target> <note /> </trans-unit> <trans-unit id="INF_UnableToLoadSomeTypesInAnalyzer"> <source>Skipping some types in analyzer assembly {0} due to a ReflectionTypeLoadException : {1}.</source> <target state="translated">Omisión de algunos tipos en el ensamblado de analizador {0} por una ReflectionTypeLoadException: {1}.</target> <note /> </trans-unit> <trans-unit id="INF_UnableToLoadSomeTypesInAnalyzer_Title"> <source>Skip loading types in analyzer assembly that fail due to a ReflectionTypeLoadException</source> <target state="translated">Omitir la carga de los tipos con errores en el ensamblado de analizador debido a ReflectionTypeLoadException</target> <note /> </trans-unit> <trans-unit id="ERR_CantReadRulesetFile"> <source>Error reading ruleset file {0} - {1}</source> <target state="translated">Error al leer el archivo de conjunto de reglas {0}: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_PlatformDoesntSupport"> <source>{0} is not supported in current project type.</source> <target state="translated">{0} no se admite en el tipo de proyecto actual.</target> <note /> </trans-unit> <trans-unit id="ERR_CantUseRequiredAttribute"> <source>The RequiredAttribute attribute is not permitted on Visual Basic types.</source> <target state="translated">El atributo RequiredAttribute no está permitido en los tipos de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="ERR_EncodinglessSyntaxTree"> <source>Cannot emit debug information for a source text without encoding.</source> <target state="translated">No se puede emitir información de depuración para un texto de origen sin descodificar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFormatSpecifier"> <source>'{0}' is not a valid format specifier</source> <target state="translated">'{0}' no es un especificador de formato válido</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidPreprocessorConstantType"> <source>Preprocessor constant '{0}' of type '{1}' is not supported, only primitive types are allowed.</source> <target state="translated">No se admite la constante de preprocesador "{0}" de tipo "{1}"; solo se permiten los tipos primitivos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedWarningKeyword"> <source>'Warning' expected.</source> <target state="translated">'Se esperaba 'Warning'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotBeMadeNullable1"> <source>'{0}' cannot be made nullable.</source> <target state="translated">'No se puede hacer que '{0}' acepte valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConditionalWithRef"> <source>Leading '?' can only appear inside a 'With' statement, but not inside an object member initializer.</source> <target state="translated">El símbolo '?' inicial solo puede aparecer dentro de una instrucción 'With', no dentro de un inicializador de miembro de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NullPropagatingOpInExpressionTree"> <source>A null propagating operator cannot be converted into an expression tree.</source> <target state="translated">No se puede convertir un operador que propague el valor en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TooLongOrComplexExpression"> <source>An expression is too long or complex to compile</source> <target state="translated">Una expresión es demasiado larga o compleja para compilarla</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionDoesntHaveName"> <source>This expression does not have a name.</source> <target state="translated">Esta expresión no tiene nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNameOfSubExpression"> <source>This sub-expression cannot be used inside NameOf argument.</source> <target state="translated">Esta subexpresión no se puede usar dentro del argumento NameOf.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodTypeArgsUnexpected"> <source>Method type arguments unexpected.</source> <target state="translated">Argumentos de tipo de método inesperados.</target> <note /> </trans-unit> <trans-unit id="NoNoneSearchCriteria"> <source>SearchCriteria is expected.</source> <target state="translated">Se espera SearchCriteria.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyCulture"> <source>Assembly culture strings may not contain embedded NUL characters.</source> <target state="translated">Las cadenas de referencia cultural de ensamblado no pueden contener caracteres NULL incrustados.</target> <note /> </trans-unit> <trans-unit id="ERR_InReferencedAssembly"> <source>There is an error in a referenced assembly '{0}'.</source> <target state="translated">Hay un error en un ensamblado al que se hace referencia: '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolationFormatWhitespace"> <source>Format specifier may not contain trailing whitespace.</source> <target state="translated">El especificador de formato no puede contener un espacio en blanco al final.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolationAlignmentOutOfRange"> <source>Alignment value is outside of the supported range.</source> <target state="translated">El valor de alineación se encuentra fuera del rango admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolatedStringFactoryError"> <source>There were one or more errors emitting a call to {0}.{1}. Method or its return type may be missing or malformed.</source> <target state="translated">Uno o varios errores emitieron una llamada a {0}.{1}. Es posible que falte el método o su tipo de retorno, o que el formato no sea correcto.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportClause_Title"> <source>Unused import clause</source> <target state="translated">Cláusula de importación sin usar</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportStatement_Title"> <source>Unused import statement</source> <target state="translated">Instrucción de importación sin usar</target> <note /> </trans-unit> <trans-unit id="ERR_ConstantStringTooLong"> <source>Length of String constant resulting from concatenation exceeds System.Int32.MaxValue. Try splitting the string into multiple constants.</source> <target state="translated">La longitud de la constante de cadena resultante de la concatenación supera el valor System.Int32.MaxValue. Pruebe a dividir la cadena en varias constantes.</target> <note /> </trans-unit> <trans-unit id="ERR_LanguageVersion"> <source>Visual Basic {0} does not support {1}.</source> <target state="translated">Visual Basic {0} no admite {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPdbData"> <source>Error reading debug information for '{0}'</source> <target state="translated">Error al leer información de depuración de '{0}'</target> <note /> </trans-unit> <trans-unit id="FEATURE_ArrayLiterals"> <source>array literal expressions</source> <target state="translated">expresiones literales de matriz</target> <note /> </trans-unit> <trans-unit id="FEATURE_AsyncExpressions"> <source>async methods or lambdas</source> <target state="translated">expresiones lambda o métodos asincrónicos</target> <note /> </trans-unit> <trans-unit id="FEATURE_AutoProperties"> <source>auto-implemented properties</source> <target state="translated">propiedades implementadas automáticamente</target> <note /> </trans-unit> <trans-unit id="FEATURE_ReadonlyAutoProperties"> <source>readonly auto-implemented properties</source> <target state="translated">propiedades de solo lectura implementadas automáticamente</target> <note /> </trans-unit> <trans-unit id="FEATURE_CoContraVariance"> <source>variance</source> <target state="translated">varianza</target> <note /> </trans-unit> <trans-unit id="FEATURE_CollectionInitializers"> <source>collection initializers</source> <target state="translated">inicializadores de colección</target> <note /> </trans-unit> <trans-unit id="FEATURE_GlobalNamespace"> <source>declaring a Global namespace</source> <target state="translated">declaración de un espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="FEATURE_Iterators"> <source>iterators</source> <target state="translated">iteradores</target> <note /> </trans-unit> <trans-unit id="FEATURE_LineContinuation"> <source>implicit line continuation</source> <target state="translated">continuación de línea implícita</target> <note /> </trans-unit> <trans-unit id="FEATURE_StatementLambdas"> <source>multi-line lambda expressions</source> <target state="translated">expresiones lambda de varias líneas</target> <note /> </trans-unit> <trans-unit id="FEATURE_SubLambdas"> <source>'Sub' lambda expressions</source> <target state="translated">'Expresiones lambda 'Sub'</target> <note /> </trans-unit> <trans-unit id="FEATURE_NullPropagatingOperator"> <source>null conditional operations</source> <target state="translated">operaciones condicionales nulas</target> <note /> </trans-unit> <trans-unit id="FEATURE_NameOfExpressions"> <source>'nameof' expressions</source> <target state="translated">'expresiones "nameof"</target> <note /> </trans-unit> <trans-unit id="FEATURE_RegionsEverywhere"> <source>region directives within method bodies or regions crossing boundaries of declaration blocks</source> <target state="translated">directivas de región dentro de cuerpos de métodos o regiones que cruzan los límites de los bloques de declaración</target> <note /> </trans-unit> <trans-unit id="FEATURE_MultilineStringLiterals"> <source>multiline string literals</source> <target state="translated">literales de cadena de varias líneas</target> <note /> </trans-unit> <trans-unit id="FEATURE_CObjInAttributeArguments"> <source>CObj in attribute arguments</source> <target state="translated">CObj en argumentos de atributo</target> <note /> </trans-unit> <trans-unit id="FEATURE_LineContinuationComments"> <source>line continuation comments</source> <target state="translated">comentarios de continuación de línea</target> <note /> </trans-unit> <trans-unit id="FEATURE_TypeOfIsNot"> <source>TypeOf IsNot expression</source> <target state="translated">Expresión TypeOf IsNot</target> <note /> </trans-unit> <trans-unit id="FEATURE_YearFirstDateLiterals"> <source>year-first date literals</source> <target state="translated">literales de primera fecha del año</target> <note /> </trans-unit> <trans-unit id="FEATURE_WarningDirectives"> <source>warning directives</source> <target state="translated">directivas de advertencia</target> <note /> </trans-unit> <trans-unit id="FEATURE_PartialModules"> <source>partial modules</source> <target state="translated">módulos parciales</target> <note /> </trans-unit> <trans-unit id="FEATURE_PartialInterfaces"> <source>partial interfaces</source> <target state="translated">interfaces parciales</target> <note /> </trans-unit> <trans-unit id="FEATURE_ImplementingReadonlyOrWriteonlyPropertyWithReadwrite"> <source>implementing read-only or write-only property with read-write property</source> <target state="translated">implementación de la propiedad de solo lectura o solo escritura con la propiedad de solo lectura</target> <note /> </trans-unit> <trans-unit id="FEATURE_DigitSeparators"> <source>digit separators</source> <target state="translated">separadores de dígitos</target> <note /> </trans-unit> <trans-unit id="FEATURE_BinaryLiterals"> <source>binary literals</source> <target state="translated">literales binarios</target> <note /> </trans-unit> <trans-unit id="FEATURE_Tuples"> <source>tuples</source> <target state="translated">tuplas</target> <note /> </trans-unit> <trans-unit id="FEATURE_PrivateProtected"> <source>Private Protected</source> <target state="translated">Private Protected</target> <note /> </trans-unit> <trans-unit id="ERR_DebugEntryPointNotSourceMethodDefinition"> <source>Debug entry point must be a definition of a method declared in the current compilation.</source> <target state="translated">El punto de entrada de depuración debe ser una definición de un método declarado en la compilación actual.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidPathMap"> <source>The pathmap option was incorrectly formatted.</source> <target state="translated">La opción pathmap no tenía el formato correcto.</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeIsNotASubmission"> <source>Syntax tree should be created from a submission.</source> <target state="translated">El árbol de sintaxis debe crearse desde un envío.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyUserStrings"> <source>Combined length of user strings used by the program exceeds allowed limit. Try to decrease use of string or XML literals.</source> <target state="translated">La longitud combinada de las cadenas de usuario que el programa utiliza supera el límite permitido. Intente disminuir el uso de literales de cadena o XML.</target> <note /> </trans-unit> <trans-unit id="ERR_PeWritingFailure"> <source>An error occurred while writing the output file: {0}</source> <target state="translated">Error al escribir en el archivo de salida: {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionMustBeAbsolutePath"> <source>Option '{0}' must be an absolute path.</source> <target state="translated">La opción '{0}' debe ser una ruta de acceso absoluta.</target> <note /> </trans-unit> <trans-unit id="ERR_SourceLinkRequiresPdb"> <source>/sourcelink switch is only supported when emitting PDB.</source> <target state="translated">El modificador /sourcelink solo se admite al emitir PDB.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleDuplicateElementName"> <source>Tuple element names must be unique.</source> <target state="translated">Los nombres de elemento de tupla deben ser únicos.</target> <note /> </trans-unit> <trans-unit id="WRN_TupleLiteralNameMismatch"> <source>The tuple element name '{0}' is ignored because a different name or no name is specified by the target type '{1}'.</source> <target state="translated">No se tiene en cuenta el nombre de elemento de tupla "{0}" porque el tipo de destino "{1}" ha especificado otro nombre o no ha especificado ninguno.</target> <note /> </trans-unit> <trans-unit id="WRN_TupleLiteralNameMismatch_Title"> <source>The tuple element name is ignored because a different name or no name is specified by the assignment target.</source> <target state="translated">No se tiene en cuenta el nombre de elemento de tupla porque el destino de la asignación ha especificado otro nombre o no ha especificado ninguno.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleReservedElementName"> <source>Tuple element name '{0}' is only allowed at position {1}.</source> <target state="translated">El nombre '{0}' del elemento de tupla solo se permite en la posición {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleReservedElementNameAnyPosition"> <source>Tuple element name '{0}' is disallowed at any position.</source> <target state="translated">El nombre '{0}' del elemento de tupla no se permite en ninguna posición.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleTooFewElements"> <source>Tuple must contain at least two elements.</source> <target state="translated">Una tupla debe contener al menos dos elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleElementNamesAttributeMissing"> <source>Cannot define a class or member that utilizes tuples because the compiler required type '{0}' cannot be found. Are you missing a reference?</source> <target state="translated">No se puede definir una clase o un miembro que utiliza tuplas porque no se encuentra el tipo requerido de compilador '{0}'. ¿Falta alguna referencia?</target> <note /> </trans-unit> <trans-unit id="ERR_ExplicitTupleElementNamesAttribute"> <source>Cannot reference 'System.Runtime.CompilerServices.TupleElementNamesAttribute' explicitly. Use the tuple syntax to define tuple names.</source> <target state="translated">No se puede hacer referencia a 'System.Runtime.CompilerServices.TupleElementNamesAttribute' explícitamente. Use la sintaxis de tupla para definir nombres de tupla.</target> <note /> </trans-unit> <trans-unit id="ERR_RefReturningCallInExpressionTree"> <source>An expression tree may not contain a call to a method or property that returns by reference.</source> <target state="translated">Un árbol de expresión no puede contener una llamada a un método o una propiedad que devuelve por referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotEmbedWithoutPdb"> <source>/embed switch is only supported when emitting a PDB.</source> <target state="translated">El modificador /embed solo se admite al emitir un PDB.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidInstrumentationKind"> <source>Invalid instrumentation kind: {0}</source> <target state="translated">Clase de instrumentación no válida: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_DocFileGen"> <source>Error writing to XML documentation file: {0}</source> <target state="translated">Error al escribir en el archivo de documentación XML: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_BadAssemblyName"> <source>Invalid assembly name: {0}</source> <target state="translated">Nombre de ensamblado no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_TypeForwardedToMultipleAssemblies"> <source>Module '{0}' in assembly '{1}' is forwarding the type '{2}' to multiple assemblies: '{3}' and '{4}'.</source> <target state="translated">El módulo "{0}" del ensamblado "{1}" va a reenviar el tipo "{2}" a varios ensamblados: "{3}" y "{4}".</target> <note /> </trans-unit> <trans-unit id="ERR_Merge_conflict_marker_encountered"> <source>Merge conflict marker encountered</source> <target state="translated">Se encontró un marcador de conflicto de fusión mediante combinación</target> <note /> </trans-unit> <trans-unit id="ERR_NoRefOutWhenRefOnly"> <source>Do not use refout when using refonly.</source> <target state="translated">No use refout si utiliza refonly.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNetModuleOutputWhenRefOutOrRefOnly"> <source>Cannot compile net modules when using /refout or /refonly.</source> <target state="translated">No se pueden compilar módulos al usar /refout o /refonly.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNonTrailingNamedArgument"> <source>Named argument '{0}' is used out-of-position but is followed by an unnamed argument</source> <target state="translated">El argumento "{0}" con nombre se usa fuera de posición, pero va seguido de un argumento sin nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDocumentationMode"> <source>Provided documentation mode is unsupported or invalid: '{0}'.</source> <target state="translated">El modo de documentación proporcionado no se admite o no es válido: "{0}".</target> <note /> </trans-unit> <trans-unit id="ERR_BadLanguageVersion"> <source>Provided language version is unsupported or invalid: '{0}'.</source> <target state="translated">La versión de lenguaje proporcionada no se admite o no es válida: "{0}".</target> <note /> </trans-unit> <trans-unit id="ERR_BadSourceCodeKind"> <source>Provided source code kind is unsupported or invalid: '{0}'</source> <target state="translated">El tipo de código fuente proporcionado no se admite o no es válido: "{0}"</target> <note /> </trans-unit> <trans-unit id="ERR_TupleInferredNamesNotAvailable"> <source>Tuple element name '{0}' is inferred. Please use language version {1} or greater to access an element by its inferred name.</source> <target state="translated">El nombre "{0}" del elemento de tupla se ha deducido. Use la versión {1} del lenguaje, o una versión posterior, para acceder a un elemento por el nombre deducido.</target> <note /> </trans-unit> <trans-unit id="WRN_Experimental"> <source>'{0}' is for evaluation purposes only and is subject to change or removal in future updates.</source> <target state="translated">"{0}" se incluye con fines de evaluación y está sujeto a cambios o a que se elimine en próximas actualizaciones.</target> <note /> </trans-unit> <trans-unit id="WRN_Experimental_Title"> <source>Type is for evaluation purposes only and is subject to change or removal in future updates.</source> <target state="translated">Este tipo se incluye solo con fines de evaluación y está sujeto a cambios o a que se elimine en próximas actualizaciones.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDebugInfo"> <source>Unable to read debug information of method '{0}' (token 0x{1}) from assembly '{2}'</source> <target state="translated">No se puede leer la información de depuración del método "{0}" (token 0x{1}) desde el ensamblado "{2}"</target> <note /> </trans-unit> <trans-unit id="IConversionExpressionIsNotVisualBasicConversion"> <source>{0} is not a valid Visual Basic conversion expression</source> <target state="translated">{0} no es una expresión de conversión válida de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="IArgumentIsNotVisualBasicArgument"> <source>{0} is not a valid Visual Basic argument</source> <target state="translated">{0} no es un argumento válido de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="FEATURE_LeadingDigitSeparator"> <source>leading digit separator</source> <target state="translated">separador de dígito inicial</target> <note /> </trans-unit> <trans-unit id="ERR_ValueTupleResolutionAmbiguous3"> <source>Predefined type '{0}' is declared in multiple referenced assemblies: '{1}' and '{2}'</source> <target state="translated">El tipo "{0}" predefinido se declara en varios ensamblados a los que se hace referencia: "{1}" y "{2}"</target> <note /> </trans-unit> <trans-unit id="ICompoundAssignmentOperationIsNotVisualBasicCompoundAssignment"> <source>{0} is not a valid Visual Basic compound assignment operation</source> <target state="translated">{0} no es una operación de asignación compuesta de Visual Basic válida</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidHashAlgorithmName"> <source>Invalid hash algorithm name: '{0}'</source> <target state="translated">Nombre de algoritmo hash no válido: "{0}"</target> <note /> </trans-unit> <trans-unit id="FEATURE_InterpolatedStrings"> <source>interpolated strings</source> <target state="translated">cadenas interpoladas</target> <note /> </trans-unit> <trans-unit id="FTL_InvalidInputFileName"> <source>File name '{0}' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long</source> <target state="translated">El nombre de archivo '{0}' está vacío, contiene caracteres no válidos, tiene una especificación de unidad sin ruta de acceso absoluta o es demasiado largo</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeNotSupportedInVB"> <source>'{0}' is not supported in VB.</source> <target state="translated">No se admite "{0}" en VB.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeNotSupportedInVB_Title"> <source>Attribute is not supported in VB</source> <target state="translated">El atributo no se admite en VB</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBResources.resx"> <body> <trans-unit id="ERR_AssignmentInitOnly"> <source>Init-only property '{0}' can only be assigned by an object member initializer, or on 'Me', 'MyClass` or 'MyBase' in an instance constructor.</source> <target state="translated">Solo un inicializador de miembro de objeto puede asignar la propiedad de solo inicio "{0}", o bien en "Me", "MyClass" o "MyBase" en un constructor de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_BadSwitchValue"> <source>Command-line syntax error: '{0}' is not a valid value for the '{1}' option. The value must be of the form '{2}'.</source> <target state="translated">Error de sintaxis de la línea de comandos: "{0}" no es un valor válido para la opción "{1}". El valor debe tener el formato "{2}".</target> <note /> </trans-unit> <trans-unit id="ERR_CommentsAfterLineContinuationNotAvailable1"> <source>Please use language version {0} or greater to use comments after line continuation character.</source> <target state="translated">Use la versión de lenguaje {0} o superior para usar los comentarios después del carácter de continuación de línea.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultInterfaceImplementationInNoPIAType"> <source>Type '{0}' cannot be embedded because it has a non-abstract member. Consider setting the 'Embed Interop Types' property to false.</source> <target state="translated">El tipo "{0}" no se puede incrustar porque tiene un miembro no abstracto. Puede establecer la propiedad "Incrustar tipos de interoperabilidad" en false.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleAnalyzerConfigsInSameDir"> <source>Multiple analyzer config files cannot be in the same directory ('{0}').</source> <target state="translated">No es posible que un mismo directorio ("{0}") contenga varios archivos de configuración del analizador.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridingInitOnlyProperty"> <source>'{0}' cannot override init-only '{1}'.</source> <target state="translated">"{0}" no puede sobrescribir la propiedad init-only "{1}".</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyDoesntImplementInitOnly"> <source>Init-only '{0}' cannot be implemented.</source> <target state="translated">La propiedad Init-only "{0}" no se puede implementar.</target> <note /> </trans-unit> <trans-unit id="ERR_ReAbstractionInNoPIAType"> <source>Type '{0}' cannot be embedded because it has a re-abstraction of a member from base interface. Consider setting the 'Embed Interop Types' property to false.</source> <target state="translated">El tipo "{0}" no se puede insertar porque tiene una reabstracción de un miembro de la interfaz base. Puede establecer la propiedad "Incrustar tipos de interoperabilidad" en false.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeDoesNotSupportDefaultInterfaceImplementation"> <source>Target runtime doesn't support default interface implementation.</source> <target state="translated">El tiempo de ejecución de destino no admite la implementación de interfaz predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeDoesNotSupportProtectedAccessForInterfaceMember"> <source>Target runtime doesn't support 'Protected', 'Protected Friend', or 'Private Protected' accessibility for a member of an interface.</source> <target state="translated">El entorno de ejecución de destino no admite la accesibilidad de tipo "Protected", "Protected Friend" o "Private Protected" para un miembro de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedEventNeedsHandlerInTheSameType"> <source>Events of shared WithEvents variables cannot be handled by methods in a different type.</source> <target state="translated">Los métodos no pueden controlar los eventos de variables WithEvents compartidas en un tipo distinto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnmanagedCallersOnlyNotSupported"> <source>'UnmanagedCallersOnly' attribute is not supported.</source> <target state="translated">No se admite el atributo "UnmanagedCallersOnly".</target> <note /> </trans-unit> <trans-unit id="FEATURE_CallerArgumentExpression"> <source>caller argument expression</source> <target state="new">caller argument expression</target> <note /> </trans-unit> <trans-unit id="FEATURE_CommentsAfterLineContinuation"> <source>comments after line continuation</source> <target state="translated">comentarios después de la continuación de línea</target> <note /> </trans-unit> <trans-unit id="FEATURE_InitOnlySettersUsage"> <source>assigning to or passing 'ByRef' properties with init-only setters</source> <target state="translated">se asigna a propiedades "ByRef" o se pasa a estas con establecedores init-only</target> <note /> </trans-unit> <trans-unit id="FEATURE_UnconstrainedTypeParameterInConditional"> <source>unconstrained type parameters in binary conditional expressions</source> <target state="translated">parámetros de tipo sin restricciones en expresiones condicionales binarias</target> <note /> </trans-unit> <trans-unit id="IDS_VBCHelp"> <source> Visual Basic Compiler Options - OUTPUT FILE - -out:&lt;file&gt; Specifies the output file name. -target:exe Create a console application (default). (Short form: -t) -target:winexe Create a Windows application. -target:library Create a library assembly. -target:module Create a module that can be added to an assembly. -target:appcontainerexe Create a Windows application that runs in AppContainer. -target:winmdobj Create a Windows Metadata intermediate file -doc[+|-] Generates XML documentation file. -doc:&lt;file&gt; Generates XML documentation file to &lt;file&gt;. -refout:&lt;file&gt; Reference assembly output to generate - INPUT FILES - -addmodule:&lt;file_list&gt; Reference metadata from the specified modules -link:&lt;file_list&gt; Embed metadata from the specified interop assembly. (Short form: -l) -recurse:&lt;wildcard&gt; Include all files in the current directory and subdirectories according to the wildcard specifications. -reference:&lt;file_list&gt; Reference metadata from the specified assembly. (Short form: -r) -analyzer:&lt;file_list&gt; Run the analyzers from this assembly (Short form: -a) -additionalfile:&lt;file list&gt; Additional files that don't directly affect code generation but may be used by analyzers for producing errors or warnings. - RESOURCES - -linkresource:&lt;resinfo&gt; Links the specified file as an external assembly resource. resinfo:&lt;file&gt;[,&lt;name&gt;[,public|private]] (Short form: -linkres) -nowin32manifest The default manifest should not be embedded in the manifest section of the output PE. -resource:&lt;resinfo&gt; Adds the specified file as an embedded assembly resource. resinfo:&lt;file&gt;[,&lt;name&gt;[,public|private]] (Short form: -res) -win32icon:&lt;file&gt; Specifies a Win32 icon file (.ico) for the default Win32 resources. -win32manifest:&lt;file&gt; The provided file is embedded in the manifest section of the output PE. -win32resource:&lt;file&gt; Specifies a Win32 resource file (.res). - CODE GENERATION - -optimize[+|-] Enable optimizations. -removeintchecks[+|-] Remove integer checks. Default off. -debug[+|-] Emit debugging information. -debug:full Emit full debugging information (default). -debug:pdbonly Emit full debugging information. -debug:portable Emit cross-platform debugging information. -debug:embedded Emit cross-platform debugging information into the target .dll or .exe. -deterministic Produce a deterministic assembly (including module version GUID and timestamp) -refonly Produce a reference assembly in place of the main output -instrument:TestCoverage Produce an assembly instrumented to collect coverage information -sourcelink:&lt;file&gt; Source link info to embed into PDB. - ERRORS AND WARNINGS - -nowarn Disable all warnings. -nowarn:&lt;number_list&gt; Disable a list of individual warnings. -warnaserror[+|-] Treat all warnings as errors. -warnaserror[+|-]:&lt;number_list&gt; Treat a list of warnings as errors. -ruleset:&lt;file&gt; Specify a ruleset file that disables specific diagnostics. -errorlog:&lt;file&gt;[,version=&lt;sarif_version&gt;] Specify a file to log all compiler and analyzer diagnostics in SARIF format. sarif_version:{1|2|2.1} Default is 1. 2 and 2.1 both mean SARIF version 2.1.0. -reportanalyzer Report additional analyzer information, such as execution time. -skipanalyzers[+|-] Skip execution of diagnostic analyzers. - LANGUAGE - -define:&lt;symbol_list&gt; Declare global conditional compilation symbol(s). symbol_list:name=value,... (Short form: -d) -imports:&lt;import_list&gt; Declare global Imports for namespaces in referenced metadata files. import_list:namespace,... -langversion:? Display the allowed values for language version -langversion:&lt;string&gt; Specify language version such as `default` (latest major version), or `latest` (latest version, including minor versions), or specific versions like `14` or `15.3` -optionexplicit[+|-] Require explicit declaration of variables. -optioninfer[+|-] Allow type inference of variables. -rootnamespace:&lt;string&gt; Specifies the root Namespace for all type declarations. -optionstrict[+|-] Enforce strict language semantics. -optionstrict:custom Warn when strict language semantics are not respected. -optioncompare:binary Specifies binary-style string comparisons. This is the default. -optioncompare:text Specifies text-style string comparisons. - MISCELLANEOUS - -help Display this usage message. (Short form: -?) -noconfig Do not auto-include VBC.RSP file. -nologo Do not display compiler copyright banner. -quiet Quiet output mode. -verbose Display verbose messages. -parallel[+|-] Concurrent build. -version Display the compiler version number and exit. - ADVANCED - -baseaddress:&lt;number&gt; The base address for a library or module (hex). -checksumalgorithm:&lt;alg&gt; Specify algorithm for calculating source file checksum stored in PDB. Supported values are: SHA1 or SHA256 (default). -codepage:&lt;number&gt; Specifies the codepage to use when opening source files. -delaysign[+|-] Delay-sign the assembly using only the public portion of the strong name key. -publicsign[+|-] Public-sign the assembly using only the public portion of the strong name key. -errorreport:&lt;string&gt; Specifies how to handle internal compiler errors; must be prompt, send, none, or queue (default). -filealign:&lt;number&gt; Specify the alignment used for output file sections. -highentropyva[+|-] Enable high-entropy ASLR. -keycontainer:&lt;string&gt; Specifies a strong name key container. -keyfile:&lt;file&gt; Specifies a strong name key file. -libpath:&lt;path_list&gt; List of directories to search for metadata references. (Semi-colon delimited.) -main:&lt;class&gt; Specifies the Class or Module that contains Sub Main. It can also be a Class that inherits from System.Windows.Forms.Form. (Short form: -m) -moduleassemblyname:&lt;string&gt; Name of the assembly which this module will be a part of. -netcf Target the .NET Compact Framework. -nostdlib Do not reference standard libraries (system.dll and VBC.RSP file). -pathmap:&lt;K1&gt;=&lt;V1&gt;,&lt;K2&gt;=&lt;V2&gt;,... Specify a mapping for source path names output by the compiler. -platform:&lt;string&gt; Limit which platforms this code can run on; must be x86, x64, Itanium, arm, arm64 AnyCPU32BitPreferred or anycpu (default). -preferreduilang Specify the preferred output language name. -nosdkpath Disable searching the default SDK path for standard library assemblies. -sdkpath:&lt;path&gt; Location of the .NET Framework SDK directory (mscorlib.dll). -subsystemversion:&lt;version&gt; Specify subsystem version of the output PE. version:&lt;number&gt;[.&lt;number&gt;] -utf8output[+|-] Emit compiler output in UTF8 character encoding. @&lt;file&gt; Insert command-line settings from a text file -vbruntime[+|-|*] Compile with/without the default Visual Basic runtime. -vbruntime:&lt;file&gt; Compile with the alternate Visual Basic runtime in &lt;file&gt;. </source> <target state="translated"> Opciones del compilador de Visual Basic - ARCHIVO DE SALIDA - -out:&lt;archivo&gt; Especifica el nombre del archivo de salida. -target:exe Crea una aplicación de consola (predeterminado). (Forma corta: -t) -target:winexe Crea una aplicación de Windows. -target:library Crea un ensamblado de biblioteca. -target:module Crea un módulo que se puede agregar a un ensamblado. -target:appcontainerexe Crea una aplicación de Windows que se ejecuta en AppContainer -target:winmdobj Crea un archivo intermedio de metadatos de Windows. -doc[+|-] Genera un archivo de documentación XML. -doc:&lt;archivo&gt; Genera un archivo de documentación XML en &lt;archivo&gt;. -refout:&lt;archivo&gt; Salida del ensamblado de referencia para generar - ARCHIVOS DE ENTRADA - -addmodule:&lt;lista_archivos&gt; Hace referencia a metadatos desde los módulos especificados -link:&lt;lista_archivos&gt; Inserta metadatos desde el ensamblado de interoperabilidad especificado. (Forma corta: -l) -recurse:&lt;carácter comodín&gt; Incluye todos los archivos en el directorio y los subdirectorios actuales según las especificaciones del carácter comodín. -reference:&lt;lista_archivos&gt; Hace referencia a los metadatos desde el ensamblado especificado. (Forma corta: -r) -analyzer:&lt;lista_archivos&gt; Ejecuta los analizadores desde este ensamblado (Forma corta: -a) -additionalfile:&lt;lista_archivos&gt; Archivos adicionales que no afectan directamente a la generación de código, pero que los analizadores pueden usar para producir errores o advertencias. - RECURSOS - -linkresource:&lt;info recurso&gt; Vincula el archivo especificado como un recurso de ensamblado externo. resinfo:&lt;archivo&gt;[,&lt;nombre&gt;[,public|private]] (Forma corta: -linkres) -nowin32manifest El manifiesto predeterminado no debe estar insertado en la sección del manifiesto del PE de salida. -resource:&lt;info recurso&gt; Agrega el archivo especificado como un recurso de ensamblado insertado. resinfo:&lt;archivo&gt;[,&lt;nombre&gt;[,public|private]] (Forma corta: -res) -win32icon:&lt;archivo&gt; Especifica un archivo de icono Win32 (.ico) para los recursos Win32 predeterminados. -win32manifest:&lt;archivo&gt; El archivo proporcionado está insertado en la sección del manifiesto del PE de salida. -win32resource:&lt;archivo&gt; Especifica un archivo de recurso Win32 (.res) . - GENERACIÓN DE CÓDIGO - -optimize[+|-] Habilita las optimizaciones. -removeintchecks[+|-] Quita las comprobaciones de enteros. Desactivado de forma predeterminada. -debug[+|-] Emite información de depuración. -debug:full Emite información de depuración completa (valor predeterminado). -debug:pdbonly Emite información de depuración completa. -debug:portable Emite información de depuración multiplataforma. -debug:embedded Emite información de depuración multiplataforma en el archivo .dll o .exe de destino. -deterministic Produce un ensamblado determinista (que incluye el GUID de la versión y la marca de tiempo del módulo) -refonly Produce un ensamblado de referencia en lugar de la salida principal -instrument:TestCoverage Produce un ensamblado instrumentado para recopilar la información de cobertura -sourcelink:&lt;archivo&gt; Información del vínculo de origen para insertar en el PDB. - ERRORES Y ADVERTENCIAS - -nowarn Deshabilita todas las advertencias. -nowarn:&lt;lista_números&gt; Deshabilita una lista de advertencias individuales. -warnaserror[+|-] Trata todas las advertencias como errores. -warnaserror[+|-]:&lt;lista_números&gt; Trata una lista de advertencias como errores. -ruleset:&lt;archivo&gt; Especifica un archivo de conjunto de reglas que deshabilita diagnósticos específicos. -errorlog:&lt;archivo&gt;[,version=&lt;versión_de_sarif&gt;] Especifica un archivo para registrar todos los diagnósticos del compilador y del analizador en formato SARIF. versión_de_sarif:{1|2|2.1} El valor predeterminado es 1. 2 y 2.1, ambos significan SARIF versión 2.1.0. -reportanalyzer Notifica información adicional del analizador, como el tiempo de ejecución. -skipanalyzers[+|-] Omite la ejecución de los analizadores de diagnóstico. - LENGUAJE - -define:&lt;lista_símbolos&gt; Declara símbolos de compilación condicional global. lista_símbolos:name=value,... (Forma corta: -d) -imports:&lt;lista_importaciones&gt; Declara las importaciones globales para los espacios de nombres de los archivos de metadatos a los que se hace referencia. lista_importaciones:namespace,... -langversion:? Muestra los valores permitidos para la versión del lenguaje -langversion:&lt;cadena&gt; Especifica una versión del lenguaje, como “predeterminada” (versión principal más reciente) o “última” (última versión, incluidas las versiones secundarias) o versiones específicas, como “14” o “15.3” -optionexplicit[+|-] Requiere la declaración explícita de las variables. -optioninfer[+|-] Permite la inferencia de tipos de variables. -rootnamespace:&lt;cadena&gt; Especifica el espacio de nombres raíz para todas las declaraciones de tipos. -optionstrict[+|-] Exige semántica de lenguaje estricta. -optionstrict:custom Advierte cuando no se respeta la semántica del lenguaje estricta. -optioncompare:binary Especifica comparaciones de cadenas de estilo binario. Es el valor predeterminado. -optioncompare:text Especifica comparaciones de cadenas de estilo de texto. - VARIOS - -help Muestra este mensaje de uso. (Forma corta: -?) -noconfig No incluir automáticamente el archivo VBC.RSP. -nologo No mostrar pancarta de copyright del compilador. -quiet Modo de salida silencioso. -verbose Mostrar mensajes detallados. -parallel[+|-] Compilación simultánea. -version Mostrar el número de versión del compilador y salir. - AVANZADO - -baseaddress:&lt;número&gt; Dirección base de una biblioteca o módulo (hex). -checksumalgorithm:&lt;algoritmo&gt; Especifica el algoritmo para calcular la suma de comprobación del archivo de origen almacenado en PDB. Los valores admitidos son: SHA1 o SHA256 (predeterminado). -codepage:&lt;número&gt; Especifica la página de códigos que se va a usar al abrir los archivos de código fuente. -delaysign[+|-] Retrasa la firma del ensamblado con solo la parte pública de la clave de nombre seguro. -publicsign[+|-] Publica la firma del ensamblado con solo la parte pública de la clave de nombre seguro. -errorreport:&lt;cadena&gt; Especifica cómo tratar los errores internos del compilador: avisar, enviar, ninguno o poner en cola (predeterminado). -filealign:&lt;número&gt; Especifica la alineación que se usa para las secciones del archivo de salida. -highentropyva[+|-] Habilita ASLR de alta entropía. -keycontainer:&lt;cadena&gt; Especifica un contenedor de claves de nombre seguro. -keyfile:&lt;archivo&gt; Especifica un archivo de claves de nombre seguro. -libpath:&lt;lista_rutas&gt; Lista de directorios para buscar referencias de metadatos. (Delimitada por punto y coma). -main:&lt;clase&gt; Especifica la clase o el módulo que contiene Sub Main. También puede ser una clase que herede de System.Windows.Forms.Form. (Forma corta: -m) -moduleassemblyname:&lt;cadena&gt; Nombre del ensamblado del que este módulo formará parte. -netcf Destino de .NET Compact Framework. -nostdlib No hacer referencia a las bibliotecas estándar (archivo system.dll y VBC.RSP). -pathmap:&lt;K1&gt;=&lt;V1&gt;,&lt;K2&gt;=&lt;V2&gt;,... Especifica una asignación para los nombres de ruta de acceso de origen producidos por el compilador. -platform:&lt;cadena&gt; Limita en qué plataformas se puede ejecutar este código. Debe ser x86, x64, Itanium, arm, arm64, AnyCPU32BitPreferred o anycpu (valor predeterminado). -preferreduilang Especifica el nombre del lenguaje de salida preferido. -nosdkpath Deshabilita la búsqueda de la ruta de acceso del SDK predeterminado para ensamblados de biblioteca estándar. -sdkpath:&lt;ruta de acceso&gt; Ubicación del directorio de .NET Framework SDK (mscorlib.dll). -subsystemversion:&lt;versión&gt; Especifica la versión del subsistema del PE de salida. version:&lt;número&gt;[.&lt;número&gt;] -utf8output[+|-] Emite la salida del compilador en codificación de caracteres UTF8. @&lt;archivo&gt; Inserta la configuración de línea de comandos desde un archivo de texto -vbruntime[+|-|*] Compila con o sin el entorno de ejecución predeterminado de Visual Basic. -vbruntime:&lt;archivo&gt; Compila con el entorno de ejecución alternativo de Visual Basic en &lt;archivo&gt;. </target> <note /> </trans-unit> <trans-unit id="ThereAreNoFunctionPointerTypesInVB"> <source>There are no function pointer types in VB.</source> <target state="translated">No hay tipos de punteros de función en VB.</target> <note /> </trans-unit> <trans-unit id="ThereAreNoNativeIntegerTypesInVB"> <source>There are no native integer types in VB.</source> <target state="translated">No hay tipos enteros nativos en VB.</target> <note /> </trans-unit> <trans-unit id="Trees0"> <source>trees({0})</source> <target state="translated">árboles({0})</target> <note /> </trans-unit> <trans-unit id="TreesMustHaveRootNode"> <source>trees({0}) must have root node with SyntaxKind.CompilationUnit.</source> <target state="translated">los árboles({0}) deben tener un nodo raíz con SyntaxKind.CompilationUnit.</target> <note /> </trans-unit> <trans-unit id="CannotAddCompilerSpecialTree"> <source>Cannot add compiler special tree</source> <target state="translated">No se puede agregar el árbol especial del compilador</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeAlreadyPresent"> <source>Syntax tree already present</source> <target state="translated">Ya hay un árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="SubmissionCanHaveAtMostOneSyntaxTree"> <source>Submission can have at most one syntax tree.</source> <target state="translated">El envío puede tener, como máximo, un árbol de sintaxis.</target> <note /> </trans-unit> <trans-unit id="CannotRemoveCompilerSpecialTree"> <source>Cannot remove compiler special tree</source> <target state="translated">No se puede quitar el árbol especial del compilador</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeNotFoundToRemove"> <source>SyntaxTree '{0}' not found to remove</source> <target state="translated">No se encontró SyntaxTree '{0}' para quitarlo</target> <note /> </trans-unit> <trans-unit id="TreeMustHaveARootNodeWithCompilationUnit"> <source>Tree must have a root node with SyntaxKind.CompilationUnit</source> <target state="translated">El árbol debe tener un nodo raíz con SyntaxKind.CompilationUnit</target> <note /> </trans-unit> <trans-unit id="CompilationVisualBasic"> <source>Compilation (Visual Basic): </source> <target state="translated">Compilación (Visual Basic): </target> <note /> </trans-unit> <trans-unit id="NodeIsNotWithinSyntaxTree"> <source>Node is not within syntax tree</source> <target state="translated">El nodo no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="CantReferenceCompilationFromTypes"> <source>Can't reference compilation of type '{0}' from {1} compilation.</source> <target state="translated">No se puede hacer referencia a la compilación de tipo '{0}' desde {1} compilación.</target> <note /> </trans-unit> <trans-unit id="PositionOfTypeParameterTooLarge"> <source>position of type parameter too large</source> <target state="translated">la posición del parámetro de tipo es demasiado grande</target> <note /> </trans-unit> <trans-unit id="AssociatedTypeDoesNotHaveTypeParameters"> <source>Associated type does not have type parameters</source> <target state="translated">El tipo asociado no tiene parámetros de tipo</target> <note /> </trans-unit> <trans-unit id="IDS_FunctionReturnType"> <source>function return type</source> <target state="translated">tipo de valor devuelto de función</target> <note /> </trans-unit> <trans-unit id="TypeArgumentCannotBeNothing"> <source>Type argument cannot be Nothing</source> <target state="translated">El argumento de tipo no puede ser Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerReferencesFramework"> <source>The assembly '{0}' containing type '{1}' references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado "{0}" que contiene el tipo "{1}" hace referencia a .NET Framework, lo cual no se admite.</target> <note>{1} is the type that was loaded, {0} is the containing assembly.</note> </trans-unit> <trans-unit id="WRN_AnalyzerReferencesFramework_Title"> <source>The loaded assembly references .NET Framework, which is not supported.</source> <target state="translated">El ensamblado que se ha cargado hace referencia a .NET Framework, lo cual no se admite.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeHasInvalidParameterName"> <source>The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect. It is applied with an invalid parameter name.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect. It is applied with an invalid parameter name.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeHasInvalidParameterName_Title"> <source>The CallerArgumentExpressionAttribute applied to parameter will have no effect. It is applied with an invalid parameter name.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter will have no effect. It is applied with an invalid parameter name.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeSelfReferential"> <source>The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect because it's self-referential.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter '{0}' will have no effect because it's self-referential.</target> <note /> </trans-unit> <trans-unit id="WRN_CallerArgumentExpressionAttributeSelfReferential_Title"> <source>The CallerArgumentExpressionAttribute applied to parameter will have no effect because it's self-referential.</source> <target state="new">The CallerArgumentExpressionAttribute applied to parameter will have no effect because it's self-referential.</target> <note /> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration"> <source>Generator '{0}' failed to generate source. It will not contribute to the output and compilation errors may occur as a result. Exception was of type '{1}' with message '{2}'</source> <target state="translated">Error del generador "{0}" al crear código fuente. No contribuirá a la salida y pueden producirse errores de compilación como resultado. Se produjo la excepción de tipo "{1}" con el mensaje "{2}"</target> <note>{0} is the name of the generator that failed. {1} is the type of exception that was thrown {2} is the message in the exception</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration_Description"> <source>Generator threw the following exception: '{0}'.</source> <target state="translated">El generador produjo la excepción siguiente: "{0}".</target> <note>{0} is the string representation of the exception that was thrown.</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringGeneration_Title"> <source>Generator failed to generate source.</source> <target state="translated">Error del generador al crear código fuente.</target> <note /> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization"> <source>Generator '{0}' failed to initialize. It will not contribute to the output and compilation errors may occur as a result. Exception was of type '{1}' with message '{2}'</source> <target state="translated">Error de inicialización del generador "{0}". No contribuirá a la salida y pueden producirse errores de compilación como resultado. Se produjo la excepción de tipo "{1}" con el mensaje "{2}"</target> <note>{0} is the name of the generator that failed. {1} is the type of exception that was thrown {2} is the message in the exception</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization_Description"> <source>Generator threw the following exception: '{0}'.</source> <target state="translated">El generador produjo la excepción siguiente: "{0}".</target> <note>{0} is the string representation of the exception that was thrown.</note> </trans-unit> <trans-unit id="WRN_GeneratorFailedDuringInitialization_Title"> <source>Generator failed to initialize.</source> <target state="translated">Error de inicialización del generador.</target> <note /> </trans-unit> <trans-unit id="WrongNumberOfTypeArguments"> <source>Wrong number of type arguments</source> <target state="translated">Número de argumentos de tipo incorrecto</target> <note /> </trans-unit> <trans-unit id="ERR_FileNotFound"> <source>file '{0}' could not be found</source> <target state="translated">no se encontró el archivo '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_NoResponseFile"> <source>unable to open response file '{0}'</source> <target state="translated">no se puede abrir el archivo de respuesta '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentRequired"> <source>option '{0}' requires '{1}'</source> <target state="translated">la opción '{0}' requiere '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_SwitchNeedsBool"> <source>option '{0}' can be followed only by '+' or '-'</source> <target state="translated">la opción '{0}' solo puede ir seguida de '+' o '-'</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSwitchValue"> <source>the value '{1}' is invalid for option '{0}'</source> <target state="translated">el valor '{1}' no es válido para la opción '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_MutuallyExclusiveOptions"> <source>Compilation options '{0}' and '{1}' can't both be specified at the same time.</source> <target state="translated">No se pueden especificar a la vez las opciones de compilación '{0}' y '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_BadUILang"> <source>The language name '{0}' is invalid.</source> <target state="translated">El nombre de idioma '{0}' no es válido.</target> <note /> </trans-unit> <trans-unit id="WRN_BadUILang_Title"> <source>The language name for /preferreduilang is invalid</source> <target state="translated">El nombre de idioma para /preferreduilang no es válido</target> <note /> </trans-unit> <trans-unit id="ERR_VBCoreNetModuleConflict"> <source>The options /vbruntime* and /target:module cannot be combined.</source> <target state="translated">Las opciones /vbruntime* y /target:module no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFormatForGuidForOption"> <source>Command-line syntax error: Invalid Guid format '{0}' for option '{1}'</source> <target state="translated">Error de sintaxis de línea de comandos: formato de GUID '{0}' no válido para la opción '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_MissingGuidForOption"> <source>Command-line syntax error: Missing Guid for option '{1}'</source> <target state="translated">Error de sintaxis de línea de comandos: falta el GUID para la opción '{1}'</target> <note /> </trans-unit> <trans-unit id="ERR_BadChecksumAlgorithm"> <source>Algorithm '{0}' is not supported</source> <target state="translated">No se admite el algoritmo '{0}'</target> <note /> </trans-unit> <trans-unit id="WRN_BadSwitch"> <source>unrecognized option '{0}'; ignored</source> <target state="translated">opción '{0}' no reconocida; omitida</target> <note /> </trans-unit> <trans-unit id="WRN_BadSwitch_Title"> <source>Unrecognized command-line option</source> <target state="translated">Opción de línea de comandos no reconocida</target> <note /> </trans-unit> <trans-unit id="ERR_NoSources"> <source>no input sources specified</source> <target state="translated">no se especificó ningún origen de entrada</target> <note /> </trans-unit> <trans-unit id="WRN_FileAlreadyIncluded"> <source>source file '{0}' specified multiple times</source> <target state="translated">el archivo de código fuente '{0}' se especificó varias veces</target> <note /> </trans-unit> <trans-unit id="WRN_FileAlreadyIncluded_Title"> <source>Source file specified multiple times</source> <target state="translated">Se especificó el archivo de origen varias veces</target> <note /> </trans-unit> <trans-unit id="ERR_CantOpenFileWrite"> <source>can't open '{0}' for writing: {1}</source> <target state="translated">no se puede abrir '{0}' para escribir: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadCodepage"> <source>code page '{0}' is invalid or not installed</source> <target state="translated">la página de código '{0}' no es válida o no está instalada</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryFile"> <source>the file '{0}' is not a text file</source> <target state="translated">el archivo '{0}' no es un archivo de texto</target> <note /> </trans-unit> <trans-unit id="ERR_LibNotFound"> <source>could not find library '{0}'</source> <target state="translated">no se encontró la biblioteca '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_MetadataReferencesNotSupported"> <source>Metadata references not supported.</source> <target state="translated">Referencias de metadatos no admitidas.</target> <note /> </trans-unit> <trans-unit id="ERR_IconFileAndWin32ResFile"> <source>cannot specify both /win32icon and /win32resource</source> <target state="translated">no se puede especificar /win32icon y /win32resource</target> <note /> </trans-unit> <trans-unit id="WRN_NoConfigInResponseFile"> <source>ignoring /noconfig option because it was specified in a response file</source> <target state="translated">omitiendo la opción /noconfig porque se especificó en un archivo de respuesta</target> <note /> </trans-unit> <trans-unit id="WRN_NoConfigInResponseFile_Title"> <source>Ignoring /noconfig option because it was specified in a response file</source> <target state="translated">Omitiendo la opción /noconfig porque se especificó en un archivo de respuesta</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidWarningId"> <source>warning number '{0}' for the option '{1}' is either not configurable or not valid</source> <target state="translated">el número de advertencia '{0}' para la opción '{1}' no es configurable o no es válido</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidWarningId_Title"> <source>Warning number is either not configurable or not valid</source> <target state="translated">El número de advertencia no se puede configurar o no es válido</target> <note /> </trans-unit> <trans-unit id="ERR_NoSourcesOut"> <source>cannot infer an output file name from resource only input files; provide the '/out' option</source> <target state="translated">no se puede inferir un nombre de archivo de salida desde recursos que solo tienen archivos de entrada; proporcione la opción '/out'</target> <note /> </trans-unit> <trans-unit id="ERR_NeedModule"> <source>the /moduleassemblyname option may only be specified when building a target of type 'module'</source> <target state="translated">la opción /moduleassemblyname solo se puede especificar al crear un destino de tipo 'module'</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyName"> <source>'{0}' is not a valid value for /moduleassemblyname</source> <target state="translated">'{0}' no es un valor válido para /moduleassemblyname</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingManifestSwitches"> <source>Error embedding Win32 manifest: Option /win32manifest conflicts with /nowin32manifest.</source> <target state="translated">Error al incrustar el manifiesto de Win32: la opción /win32manifest entra en conflicto con /nowin32manifest.</target> <note /> </trans-unit> <trans-unit id="WRN_IgnoreModuleManifest"> <source>Option /win32manifest ignored. It can be specified only when the target is an assembly.</source> <target state="translated">Se ha omitido la opción /win32manifest. Solo se puede especificar cuando el destino es un ensamblado.</target> <note /> </trans-unit> <trans-unit id="WRN_IgnoreModuleManifest_Title"> <source>Option /win32manifest ignored</source> <target state="translated">Se ignoró la opción /win32manifest</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidInNamespace"> <source>Statement is not valid in a namespace.</source> <target state="translated">La instrucción no es válida en un espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedType1"> <source>Type '{0}' is not defined.</source> <target state="translated">No está definido el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingNext"> <source>'Next' expected.</source> <target state="translated">'Se esperaba 'Next'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCharConstant"> <source>Character constant must contain exactly one character.</source> <target state="translated">La constante de caracteres debe contener exactamente un carácter.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedAssemblyEvent3"> <source>Reference required to assembly '{0}' containing the definition for event '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al ensamblado '{0}' que contiene la definición del evento '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedModuleEvent3"> <source>Reference required to module '{0}' containing the definition for event '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al módulo '{0}' que contiene la definición del evento '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_LbExpectedEndIf"> <source>'#If' block must end with a matching '#End If'.</source> <target state="translated">'El bloque '#If' debe terminar con una instrucción '#End If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbNoMatchingIf"> <source>'#ElseIf', '#Else', or '#End If' must be preceded by a matching '#If'.</source> <target state="translated">'#ElseIf', '#Else' o '#End If' deben ir precedidas de la instrucción '#If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbBadElseif"> <source>'#ElseIf' must be preceded by a matching '#If' or '#ElseIf'.</source> <target state="translated">'#ElseIf' debe ir precedida de la instrucción '#If' o '#ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromRestrictedType1"> <source>Inheriting from '{0}' is not valid.</source> <target state="translated">No es válido heredar de '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvOutsideProc"> <source>Labels are not valid outside methods.</source> <target state="translated">Las etiquetas no son válidas fuera de los métodos.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateCantImplement"> <source>Delegates cannot implement interface methods.</source> <target state="translated">Los delegados no pueden implementar métodos de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateCantHandleEvents"> <source>Delegates cannot handle events.</source> <target state="translated">Los delegados no pueden administrar eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorRequiresReferenceTypes1"> <source>'Is' operator does not accept operands of type '{0}'. Operands must be reference or nullable types.</source> <target state="translated">'El operador 'Is' no acepta operandos de tipo '{0}'. Los operandos deben ser tipos de referencia o que acepten valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOfRequiresReferenceType1"> <source>'TypeOf ... Is' requires its left operand to have a reference type, but this operand has the value type '{0}'.</source> <target state="translated">'TypeOf ... Is' requiere que el operando situado a su izquierda tenga un tipo de referencia, pero este operando tiene el tipo de valor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyHasSet"> <source>Properties declared 'ReadOnly' cannot have a 'Set'.</source> <target state="translated">Las propiedades declaradas como 'ReadOnly' no pueden tener una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyHasGet"> <source>Properties declared 'WriteOnly' cannot have a 'Get'.</source> <target state="translated">Las propiedades declaradas como 'WriteOnly' no pueden tener una instrucción 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideProc"> <source>Statement is not valid inside a method.</source> <target state="translated">La instrucción no es válida dentro de un método.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideBlock"> <source>Statement is not valid inside '{0}' block.</source> <target state="translated">La instrucción no es válida dentro de un bloque '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnexpectedExpressionStatement"> <source>Expression statement is only allowed at the end of an interactive submission.</source> <target state="translated">La instrucción de expresión solo se permite al final de un envío interactivo.</target> <note /> </trans-unit> <trans-unit id="ERR_EndProp"> <source>Property missing 'End Property'.</source> <target state="translated">Falta 'End Property' en Property.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSubExpected"> <source>'End Sub' expected.</source> <target state="translated">'Se esperaba 'End Sub'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndFunctionExpected"> <source>'End Function' expected.</source> <target state="translated">'Se esperaba 'End Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_LbElseNoMatchingIf"> <source>'#Else' must be preceded by a matching '#If' or '#ElseIf'.</source> <target state="translated">'#Else' debe ir precedida de la instrucción '#If' o '#ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CantRaiseBaseEvent"> <source>Derived classes cannot raise base class events.</source> <target state="translated">Las clases derivadas no pueden generar eventos de clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_TryWithoutCatchOrFinally"> <source>Try must have at least one 'Catch' or a 'Finally'.</source> <target state="translated">Try debe tener al menos una instrucción 'Catch' o 'Finally'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventsCantBeFunctions"> <source>Events cannot have a return type.</source> <target state="translated">Los eventos no pueden tener un tipo de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndBrack"> <source>Bracketed identifier is missing closing ']'.</source> <target state="translated">Falta el corchete de cierre ']' del identificador entre corchetes.</target> <note /> </trans-unit> <trans-unit id="ERR_Syntax"> <source>Syntax error.</source> <target state="translated">Error de sintaxis.</target> <note /> </trans-unit> <trans-unit id="ERR_Overflow"> <source>Overflow.</source> <target state="translated">Desbordamiento.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalChar"> <source>Character is not valid.</source> <target state="translated">El carácter no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_StdInOptionProvidedButConsoleInputIsNotRedirected"> <source>stdin argument '-' is specified, but input has not been redirected from the standard input stream.</source> <target state="translated">Se ha especificado el argumento stdin "-", pero la entrada no se ha redirigido desde el flujo de entrada estándar.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsObjectOperand1"> <source>Option Strict On prohibits operands of type Object for operator '{0}'.</source> <target state="translated">Option Strict On prohíbe operandos de tipo Object para el operador '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopControlMustNotBeProperty"> <source>Loop control variable cannot be a property or a late-bound indexed array.</source> <target state="translated">La variable de control Loop no puede ser una propiedad o una matriz indizada enlazada en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodBodyNotAtLineStart"> <source>First statement of a method body cannot be on the same line as the method declaration.</source> <target state="translated">La primera instrucción de un cuerpo de método no puede estar en la misma línea que la declaración del método.</target> <note /> </trans-unit> <trans-unit id="ERR_MaximumNumberOfErrors"> <source>Maximum number of errors has been exceeded.</source> <target state="translated">Se ha superado el número máximo de errores.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordNotInInstanceMethod1"> <source>'{0}' is valid only within an instance method.</source> <target state="translated">'{0}' solo es válido en un método de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordFromStructure1"> <source>'{0}' is not valid within a structure.</source> <target state="translated">'{0}' no es válido dentro de una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeConstructor1"> <source>Attribute constructor has a parameter of type '{0}', which is not an integral, floating-point or Enum type or one of Object, Char, String, Boolean, System.Type or 1-dimensional array of these types.</source> <target state="translated">El constructor de atributos tiene un parámetro de tipo '{0}', que no es de tipo integral, punto flotante o enumeración, ni de tipo Object, Char, String, Boolean o System.Type, ni una matriz unidimensional de estos tipos.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayWithOptArgs"> <source>Method cannot have both a ParamArray and Optional parameters.</source> <target state="translated">El método no puede tener los parámetros ParamArray y Optional.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedArray1"> <source>'{0}' statement requires an array.</source> <target state="translated">'La instrucción '{0}' requiere una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayNotArray"> <source>ParamArray parameter must be an array.</source> <target state="translated">El parámetro ParamArray debe ser una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayRank"> <source>ParamArray parameter must be a one-dimensional array.</source> <target state="translated">El parámetro ParamArray debe ser una matriz unidimensional.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayRankLimit"> <source>Array exceeds the limit of 32 dimensions.</source> <target state="translated">La matriz supera el límite de 32 dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_AsNewArray"> <source>Arrays cannot be declared with 'New'.</source> <target state="translated">Las matrices no se pueden declarar con 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs1"> <source>Too many arguments to '{0}'.</source> <target state="translated">Demasiados argumentos para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedCase"> <source>Statements and labels are not valid between 'Select Case' and first 'Case'.</source> <target state="translated">Las instrucciones y etiquetas no son válidas entre 'Select Case' y la primera instrucción 'Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredConstExpr"> <source>Constant expression is required.</source> <target state="translated">Se requiere una expresión constante.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredConstConversion2"> <source>Conversion from '{0}' to '{1}' cannot occur in a constant expression.</source> <target state="translated">No se puede realizar una conversión de '{0}' a '{1}' en una expresión constante.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMe"> <source>'Me' cannot be the target of an assignment.</source> <target state="translated">'Me' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyAssignment"> <source>'ReadOnly' variable cannot be the target of an assignment.</source> <target state="translated">'La variable 'ReadOnly' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitSubOfFunc"> <source>'Exit Sub' is not valid in a Function or Property.</source> <target state="translated">'La instrucción 'Exit Sub' no es válida en Function o Property.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitPropNot"> <source>'Exit Property' is not valid in a Function or Sub.</source> <target state="translated">'La instrucción 'Exit Property' no es válida en Function o Sub.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitFuncOfSub"> <source>'Exit Function' is not valid in a Sub or Property.</source> <target state="translated">'La instrucción 'Exit Function' no es válida en Sub o Property.</target> <note /> </trans-unit> <trans-unit id="ERR_LValueRequired"> <source>Expression is a value and therefore cannot be the target of an assignment.</source> <target state="translated">La expresión es un valor y, por tanto, no puede ser destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ForIndexInUse1"> <source>For loop control variable '{0}' already in use by an enclosing For loop.</source> <target state="translated">El bucle For envolvente ya está usando la variable de control de bucle For '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NextForMismatch1"> <source>Next control variable does not match For loop control variable '{0}'.</source> <target state="translated">La variable de control Next no coincide con la variable de control de bucle For '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseElseNoSelect"> <source>'Case Else' can only appear inside a 'Select Case' statement.</source> <target state="translated">'Case Else' solo puede aparecer dentro de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseNoSelect"> <source>'Case' can only appear inside a 'Select Case' statement.</source> <target state="translated">'Case' solo puede aparecer dentro de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantAssignToConst"> <source>Constant cannot be the target of an assignment.</source> <target state="translated">La constante no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedSubscript"> <source>Named arguments are not valid as array subscripts.</source> <target state="translated">Los argumentos con nombre no son válidos como subíndices de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndIf"> <source>'If' must end with a matching 'End If'.</source> <target state="translated">'If' debe terminar con la instrucción 'End If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndWhile"> <source>'While' must end with a matching 'End While'.</source> <target state="translated">'While' debe terminar con la instrucción 'End While' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLoop"> <source>'Do' must end with a matching 'Loop'.</source> <target state="translated">'Do' debe terminar con la instrucción 'Loop' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNext"> <source>'For' must end with a matching 'Next'.</source> <target state="translated">'For' debe terminar con la instrucción 'Next' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndWith"> <source>'With' must end with a matching 'End With'.</source> <target state="translated">'With' debe terminar con la instrucción 'End With' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ElseNoMatchingIf"> <source>'Else' must be preceded by a matching 'If' or 'ElseIf'.</source> <target state="translated">'Else' debe ir precedida de una instrucción 'If' o 'ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndIfNoMatchingIf"> <source>'End If' must be preceded by a matching 'If'.</source> <target state="translated">'End If' debe ir precedida de la instrucción 'If' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSelectNoSelect"> <source>'End Select' must be preceded by a matching 'Select Case'.</source> <target state="translated">'End Select' debe ir precedida de la instrucción 'Select Case' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitDoNotWithinDo"> <source>'Exit Do' can only appear inside a 'Do' statement.</source> <target state="translated">'Exit Do' solo puede aparecer dentro de una instrucción 'Do'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndWhileNoWhile"> <source>'End While' must be preceded by a matching 'While'.</source> <target state="translated">'End While' debe ir precedida de la instrucción 'While' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopNoMatchingDo"> <source>'Loop' must be preceded by a matching 'Do'.</source> <target state="translated">'Loop' debe ir precedida de la instrucción 'Do' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NextNoMatchingFor"> <source>'Next' must be preceded by a matching 'For'.</source> <target state="translated">'Next' debe ir precedida de la instrucción 'For' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndWithWithoutWith"> <source>'End With' must be preceded by a matching 'With'.</source> <target state="translated">'End With' debe ir precedida de la instrucción 'With' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefined1"> <source>Label '{0}' is already defined in the current method.</source> <target state="translated">La etiqueta '{0}' ya está definida en el método actual.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndSelect"> <source>'Select Case' must end with a matching 'End Select'.</source> <target state="translated">'Select Case' debe terminar con la instrucción 'End Select' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitForNotWithinFor"> <source>'Exit For' can only appear inside a 'For' statement.</source> <target state="translated">'Exit For' solo puede aparecer dentro de una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitWhileNotWithinWhile"> <source>'Exit While' can only appear inside a 'While' statement.</source> <target state="translated">'Exit While' solo puede aparecer dentro de una instrucción 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyProperty1"> <source>'ReadOnly' property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad '{0}' de 'ReadOnly' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitSelectNotWithinSelect"> <source>'Exit Select' can only appear inside a 'Select' statement.</source> <target state="translated">'Exit Select' solo puede aparecer dentro de una instrucción 'Select'.</target> <note /> </trans-unit> <trans-unit id="ERR_BranchOutOfFinally"> <source>Branching out of a 'Finally' is not valid.</source> <target state="translated">La rama fuera de una cláusula 'Finally' no es válida.</target> <note /> </trans-unit> <trans-unit id="ERR_QualNotObjectRecord1"> <source>'!' requires its left operand to have a type parameter, class or interface type, but this operand has the type '{0}'.</source> <target state="translated">'!' requiere que el operando izquierdo tenga un parámetro de tipo, una clase o un tipo de interfaz, pero este operando tiene el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewIndices"> <source>Number of indices is less than the number of dimensions of the indexed array.</source> <target state="translated">El número de índices es inferior al número de dimensiones de la matriz indizada.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyIndices"> <source>Number of indices exceeds the number of dimensions of the indexed array.</source> <target state="translated">El número de índices supera el número de dimensiones de la matriz indizada.</target> <note /> </trans-unit> <trans-unit id="ERR_EnumNotExpression1"> <source>'{0}' is an Enum type and cannot be used as an expression.</source> <target state="translated">“{0}” es un tipo de enumeración y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeNotExpression1"> <source>'{0}' is a type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassNotExpression1"> <source>'{0}' is a class type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de clase y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureNotExpression1"> <source>'{0}' is a structure type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de estructura y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNotExpression1"> <source>'{0}' is an interface type and cannot be used as an expression.</source> <target state="translated">'{0}' es un tipo de interfaz y no se puede usar como una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotExpression1"> <source>'{0}' is a namespace and cannot be used as an expression.</source> <target state="translated">'{0}' es un espacio de nombres y no se puede usar como expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNamespaceName1"> <source>'{0}' is not a valid name and cannot be used as the root namespace name.</source> <target state="translated">'{0}' no es un nombre válido y no se puede usar como el nombre del espacio de nombres raíz.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlPrefixNotExpression"> <source>'{0}' is an XML prefix and cannot be used as an expression. Use the GetXmlNamespace operator to create a namespace object.</source> <target state="translated">'{0}' es un prefijo XML y no se puede usar como una expresión. Use el operador GetXmlNamespace para crear un objeto de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleExtends"> <source>'Inherits' can appear only once within a 'Class' statement and can only specify one class.</source> <target state="translated">'Inherits' solo puede aparecer una vez dentro de una instrucción 'Class' y solo puede especificar una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_PropMustHaveGetSet"> <source>Property without a 'ReadOnly' or 'WriteOnly' specifier must provide both a 'Get' and a 'Set'.</source> <target state="translated">Una propiedad sin un especificador 'ReadOnly' o 'WriteOnly' debe proporcionar una instrucción 'Get' y una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyHasNoWrite"> <source>'WriteOnly' property must provide a 'Set'.</source> <target state="translated">'Una propiedad 'WriteOnly' debe proporcionar una instrucción 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyHasNoGet"> <source>'ReadOnly' property must provide a 'Get'.</source> <target state="translated">'Una propiedad 'ReadOnly' debe proporcionar una instrucción 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttribute1"> <source>Attribute '{0}' is not valid: Incorrect argument value.</source> <target state="translated">El atributo '{0}' no es válido: valor de argumento incorrecto.</target> <note /> </trans-unit> <trans-unit id="ERR_LabelNotDefined1"> <source>Label '{0}' is not defined.</source> <target state="translated">La etiqueta '{0}' no está definida.</target> <note /> </trans-unit> <trans-unit id="ERR_ErrorCreatingWin32ResourceFile"> <source>Error creating Win32 resources: {0}</source> <target state="translated">Error al crear recursos de Win32: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToCreateTempFile"> <source>Cannot create temporary file: {0}</source> <target state="translated">No se puede crear el archivo temporal: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNewCall2"> <source>First statement of this 'Sub New' must be a call to 'MyBase.New' or 'MyClass.New' because base class '{0}' of '{1}' does not have an accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada a 'MyBase.New' o 'MyClass.New' porque la clase base '{0}' de '{1}' no tiene un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_UnimplementedMember3"> <source>{0} '{1}' must implement '{2}' for interface '{3}'.</source> <target state="translated">{0} '{1}' debe implementar '{2}' para la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadWithRef"> <source>Leading '.' or '!' can only appear inside a 'With' statement.</source> <target state="translated">.' o '!' inicial solo puede aparecer dentro de una instrucción 'With'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAccessCategoryUsed"> <source>Only one of 'Public', 'Private', 'Protected', 'Friend', 'Protected Friend', or 'Private Protected' can be specified.</source> <target state="translated">Solo se puede especificar uno de los valores siguientes: "Public", "Private", "Protected", "Friend", "Protected Friend" o "Private Protected".</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateModifierCategoryUsed"> <source>Only one of 'NotOverridable', 'MustOverride', or 'Overridable' can be specified.</source> <target state="translated">Solo se puede especificar 'NotOverridable', 'MustOverride' u 'Overridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateSpecifier"> <source>Specifier is duplicated.</source> <target state="translated">El especificador está duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeConflict6"> <source>{0} '{1}' and {2} '{3}' conflict in {4} '{5}'.</source> <target state="translated">{0} '{1}' y {2} '{3}' entran en conflicto en {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedTypeKeyword"> <source>Keyword does not name a type.</source> <target state="translated">La palabra clave no denomina un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtraSpecifiers"> <source>Specifiers valid only at the beginning of a declaration.</source> <target state="translated">Especificadores válidos solo al principio de una declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedType"> <source>Type expected.</source> <target state="translated">Se esperaba un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidUseOfKeyword"> <source>Keyword is not valid as an identifier.</source> <target state="translated">Una palabra clave no es válida como identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndEnum"> <source>'End Enum' must be preceded by a matching 'Enum'.</source> <target state="translated">'End Enum' debe ir precedida de la instrucción 'Enum' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndEnum"> <source>'Enum' must end with a matching 'End Enum'.</source> <target state="translated">'Enum' debe terminar con la instrucción 'End Enum' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDeclaration"> <source>Declaration expected.</source> <target state="translated">Se esperaba una declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayMustBeLast"> <source>End of parameter list expected. Cannot define parameters after a paramarray parameter.</source> <target state="translated">Se esperaba el fin de la lista de parámetros. No se pueden definir parámetros después de un parámetro paramarray.</target> <note /> </trans-unit> <trans-unit id="ERR_SpecifiersInvalidOnInheritsImplOpt"> <source>Specifiers and attributes are not valid on this statement.</source> <target state="translated">Los especificadores y atributos no son válidos en esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSpecifier"> <source>Expected one of 'Dim', 'Const', 'Public', 'Private', 'Protected', 'Friend', 'Shadows', 'ReadOnly' or 'Shared'.</source> <target state="translated">Se esperaba 'Dim', 'Const', 'Public', 'Private', 'Protected', 'Friend', 'Shadows', 'ReadOnly' o 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedComma"> <source>Comma expected.</source> <target state="translated">Se esperaba una coma.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAs"> <source>'As' expected.</source> <target state="translated">'Se esperaba 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRparen"> <source>')' expected.</source> <target state="translated">'Se esperaba ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLparen"> <source>'(' expected.</source> <target state="translated">'Se esperaba '('.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNewInType"> <source>'New' is not valid in this context.</source> <target state="translated">'New' no es válido en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedExpression"> <source>Expression expected.</source> <target state="translated">Se esperaba una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOptional"> <source>'Optional' expected.</source> <target state="translated">'Se esperaba 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIdentifier"> <source>Identifier expected.</source> <target state="translated">Se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIntLiteral"> <source>Integer constant expected.</source> <target state="translated">Se esperaba una constante de tipo entero.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEOS"> <source>End of statement expected.</source> <target state="translated">Se esperaba el fin de instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedForOptionStmt"> <source>'Option' must be followed by 'Compare', 'Explicit', 'Infer', or 'Strict'.</source> <target state="translated">'Option' debe ir seguido de 'Compare', 'Explicit', 'Infer' o 'Strict'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionCompare"> <source>'Option Compare' must be followed by 'Text' or 'Binary'.</source> <target state="translated">'Option Compare' debe ir seguida de 'Text' o 'Binary'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOptionCompare"> <source>'Compare' expected.</source> <target state="translated">'Se esperaba 'Compare'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowImplicitObject"> <source>Option Strict On requires all variable declarations to have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todas las declaraciones de variables tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsImplicitProc"> <source>Option Strict On requires all Function, Property, and Operator declarations to have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todas las declaraciones Function, Property y Operator tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsImplicitArgs"> <source>Option Strict On requires that all method parameters have an 'As' clause.</source> <target state="translated">Option Strict On requiere que todos los parámetros del método tengan una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidParameterSyntax"> <source>Comma or ')' expected.</source> <target state="translated">Se esperaba una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSubFunction"> <source>'Sub' or 'Function' expected.</source> <target state="translated">'Se esperaba 'Sub' o 'Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedStringLiteral"> <source>String constant expected.</source> <target state="translated">Se esperaba una constante de cadena.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingLibInDeclare"> <source>'Lib' expected.</source> <target state="translated">'Se esperaba 'Lib'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateNoInvoke1"> <source>Delegate class '{0}' has no Invoke method, so an expression of this type cannot be the target of a method call.</source> <target state="translated">La clase delegada '{0}' no tiene ningún método Invoke y, por tanto, una expresión de este tipo no puede ser el destino de una llamada a método.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingIsInTypeOf"> <source>'Is' expected.</source> <target state="translated">'Se esperaba 'Is'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateOption1"> <source>'Option {0}' statement can only appear once per file.</source> <target state="translated">'La instrucción 'Option {0}' solo puede aparecer una vez en cada archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantInherit"> <source>'Inherits' not valid in Modules.</source> <target state="translated">'Inherits' no es válido en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantImplement"> <source>'Implements' not valid in Modules.</source> <target state="translated">'Implements' no es válido en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadImplementsType"> <source>Implemented type must be an interface.</source> <target state="translated">El tipo implementado debe ser una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConstFlags1"> <source>'{0}' is not valid on a constant declaration.</source> <target state="translated">'{0}' no es válido en una declaración de constantes.</target> <note /> </trans-unit> <trans-unit id="ERR_BadWithEventsFlags1"> <source>'{0}' is not valid on a WithEvents declaration.</source> <target state="translated">'{0}' no es válido en una declaración WithEvents.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDimFlags1"> <source>'{0}' is not valid on a member variable declaration.</source> <target state="translated">'{0}' no es válido en una declaración de variables miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateParamName1"> <source>Parameter already declared with name '{0}'.</source> <target state="translated">Ya se ha declarado el parámetro con el nombre '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LoopDoubleCondition"> <source>'Loop' cannot have a condition if matching 'Do' has one.</source> <target state="translated">'Loop' no puede tener una condición si la instrucción 'Do' coincidente tiene una.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRelational"> <source>Relational operator expected.</source> <target state="translated">Se esperaba un operador relacional.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedExitKind"> <source>'Exit' must be followed by 'Sub', 'Function', 'Property', 'Do', 'For', 'While', 'Select', or 'Try'.</source> <target state="translated">'Exit' debe ir seguido de 'Sub', 'Function', 'Property', 'Do', 'For', 'While', 'Select' o 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNamedArgumentInAttributeList"> <source>Named argument expected.</source> <target state="translated">Se esperaba un argumento con nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgumentSpecificationBeforeFixedArgumentInLateboundInvocation"> <source>Named argument specifications must appear after all fixed arguments have been specified in a late bound invocation.</source> <target state="translated">Las especificaciones de argumento con nombre deben aparecer después de haber especificado todos los argumentos fijos en una invocación enlazada en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedNamedArgument"> <source>Named argument expected. Please use language version {0} or greater to use non-trailing named arguments.</source> <target state="translated">Se esperaba un argumento con nombre. Use la versión {0} del lenguaje, o una posterior, para usar argumentos con nombre que no sean finales.</target> <note /> </trans-unit> <trans-unit id="ERR_BadMethodFlags1"> <source>'{0}' is not valid on a method declaration.</source> <target state="translated">'{0}' no es válido en una declaración de método.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEventFlags1"> <source>'{0}' is not valid on an event declaration.</source> <target state="translated">'{0}' no es válido en una declaración de evento.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDeclareFlags1"> <source>'{0}' is not valid on a Declare.</source> <target state="translated">'{0}' no es válido en Declare.</target> <note /> </trans-unit> <trans-unit id="ERR_BadLocalConstFlags1"> <source>'{0}' is not valid on a local constant declaration.</source> <target state="translated">'{0}' no es válido en una declaración de constantes local.</target> <note /> </trans-unit> <trans-unit id="ERR_BadLocalDimFlags1"> <source>'{0}' is not valid on a local variable declaration.</source> <target state="translated">'{0}' no es válido en una declaración de variables local.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedConditionalDirective"> <source>'If', 'ElseIf', 'Else', 'Const', 'Region', 'ExternalSource', 'ExternalChecksum', 'Enable', 'Disable', 'End' or 'R' expected.</source> <target state="translated">'Se esperaba 'If', 'ElseIf', 'Else', 'Const', 'Region', 'ExternalSource', 'ExternalChecksum', 'Enable', 'Disable', 'End' o 'R'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEQ"> <source>'=' expected.</source> <target state="translated">'Se esperaba '='.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorNotFound1"> <source>Type '{0}' has no constructors.</source> <target state="translated">El tipo '{0}' no tiene constructores.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndInterface"> <source>'End Interface' must be preceded by a matching 'Interface'.</source> <target state="translated">'End Interface' debe ir precedida de la instrucción 'Interface' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndInterface"> <source>'Interface' must end with a matching 'End Interface'.</source> <target state="translated">'Interface' debe terminar con la instrucción 'End Interface' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFrom2"> <source> '{0}' inherits from '{1}'.</source> <target state="translated"> '{0}' hereda de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNestedIn2"> <source> '{0}' is nested in '{1}'.</source> <target state="translated"> '{0}' está anidado en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceCycle1"> <source>Class '{0}' cannot inherit from itself: {1}</source> <target state="translated">La clase '{0}' no puede heredar de sí misma: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromNonClass"> <source>Classes can inherit only from other classes.</source> <target state="translated">Las clases solo pueden heredarse de otras clases.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefinedType3"> <source>'{0}' is already declared as '{1}' in this {2}.</source> <target state="translated">'{0}' ya está declarado como '{1}' en esta {2}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadOverrideAccess2"> <source>'{0}' cannot override '{1}' because they have different access levels.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque tienen niveles de acceso diferentes.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverrideNotOverridable2"> <source>'{0}' cannot override '{1}' because it is declared 'NotOverridable'.</source> <target state="translated">'{0}' no puede anular '{1}' porque está declarado como 'NotOverridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateProcDef1"> <source>'{0}' has multiple definitions with identical signatures.</source> <target state="translated">'{0}' tiene varias definiciones con firmas idénticas.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateProcDefWithDifferentTupleNames2"> <source>'{0}' has multiple definitions with identical signatures with different tuple element names, including '{1}'.</source> <target state="translated">'{0}' tiene varias definiciones con firmas idénticas que tienen nombres de elementos de tupla diferentes, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceMethodFlags1"> <source>'{0}' is not valid on an interface method declaration.</source> <target state="translated">'{0}' no es válido en una declaración de método de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound2"> <source>'{0}' is not a parameter of '{1}'.</source> <target state="translated">'{0}' no es un parámetro de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfacePropertyFlags1"> <source>'{0}' is not valid on an interface property declaration.</source> <target state="translated">'{0}' no es válido en una declaración de propiedad de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice2"> <source>Parameter '{0}' of '{1}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' de '{1}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceCantUseEventSpecifier1"> <source>'{0}' is not valid on an interface event declaration.</source> <target state="translated">'{0}' no es válido en una declaración de evento de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_TypecharNoMatch2"> <source>Type character '{0}' does not match declared data type '{1}'.</source> <target state="translated">El carácter de tipo '{0}' no coincide con el tipo de datos '{1}' declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSubOrFunction"> <source>'Sub' or 'Function' expected after 'Delegate'.</source> <target state="translated">'Se esperaba 'Sub' o 'Function' después de 'Delegate'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEmptyEnum1"> <source>Enum '{0}' must contain at least one member.</source> <target state="translated">La enumeración “{0}” debe contener al menos un miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidConstructorCall"> <source>Constructor call is valid only as the first statement in an instance constructor.</source> <target state="translated">La llamada a un constructor solo es válida como primera instrucción de un constructor de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverrideConstructor"> <source>'Sub New' cannot be declared 'Overrides'.</source> <target state="translated">'Sub New' no se puede declarar como 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorCannotBeDeclaredPartial"> <source>'Sub New' cannot be declared 'Partial'.</source> <target state="translated">'Sub New' no se puede declarar como 'Partial'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleEmitFailure"> <source>Failed to emit module '{0}': {1}</source> <target state="translated">No se pudo emitir el módulo "{0}": {1}</target> <note /> </trans-unit> <trans-unit id="ERR_EncUpdateFailedMissingAttribute"> <source>Cannot update '{0}'; attribute '{1}' is missing.</source> <target state="translated">No se puede actualizar '{0}'; falta el atributo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideNotNeeded3"> <source>{0} '{1}' cannot be declared 'Overrides' because it does not override a {0} in a base class.</source> <target state="translated">{0} '{1}' no se puede declarar 'Overrides' porque no invalida {0} en una clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDot"> <source>'.' expected.</source> <target state="translated">'Se esperaba '.'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocals1"> <source>Local variable '{0}' is already declared in the current block.</source> <target state="translated">La variable local '{0}' ya se ha declarado en el bloque actual.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsProc"> <source>Statement cannot appear within a method body. End of method assumed.</source> <target state="translated">La instrucción no puede aparecer dentro de un cuerpo de método. Se supone el final del método.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalSameAsFunc"> <source>Local variable cannot have the same name as the function containing it.</source> <target state="translated">La variable local no puede tener el mismo nombre que la función que la contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_RecordEmbeds2"> <source> '{0}' contains '{1}' (variable '{2}').</source> <target state="translated"> '{0}' contiene '{1}' (variable '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_RecordCycle2"> <source>Structure '{0}' cannot contain an instance of itself: {1}</source> <target state="translated">La estructura '{0}' no puede contener una instancia de sí misma: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceCycle1"> <source>Interface '{0}' cannot inherit from itself: {1}</source> <target state="translated">La interfaz '{0}' no puede heredarse de: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_SubNewCycle2"> <source> '{0}' calls '{1}'.</source> <target state="translated"> '{0}' llama a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SubNewCycle1"> <source>Constructor '{0}' cannot call itself: {1}</source> <target state="translated">El constructor '{0}' no se puede llamar a sí mismo: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromCantInherit3"> <source>'{0}' cannot inherit from {2} '{1}' because '{1}' is declared 'NotInheritable'.</source> <target state="translated">'{0}' no puede heredarse de {2} '{1}' porque '{1}' está declarado como 'NotInheritable'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithOptional2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by optional parameters.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithReturnType2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by return types.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en los tipos de valor devueltos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharWithType1"> <source>Type character '{0}' cannot be used in a declaration with an explicit type.</source> <target state="translated">El carácter de tipo '{0}' no se puede usar en una declaración con un tipo explícito.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnSub"> <source>Type character cannot be used in a 'Sub' declaration because a 'Sub' doesn't return a value.</source> <target state="translated">El carácter de tipo no se puede usar en una declaración 'Sub' porque 'Sub' no devuelve un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithDefault2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by the default values of optional parameters.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en los valores predeterminados de los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingSubscript"> <source>Array subscript expression missing.</source> <target state="translated">Falta la expresión de subíndice de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithDefault2"> <source>'{0}' cannot override '{1}' because they differ by the default values of optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los valores predeterminados de los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithOptional2"> <source>'{0}' cannot override '{1}' because they differ by optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_FieldOfValueFieldOfMarshalByRef3"> <source>Cannot refer to '{0}' because it is a member of the value-typed field '{1}' of class '{2}' which has 'System.MarshalByRefObject' as a base class.</source> <target state="translated">No se puede hacer referencia a '{0}' porque es un miembro del campo de tipo de valor '{1}' de la clase '{2}', que tiene 'System.MarshalByRefObject' como clase base.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeMismatch2"> <source>Value of type '{0}' cannot be converted to '{1}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CaseAfterCaseElse"> <source>'Case' cannot follow a 'Case Else' in the same 'Select' statement.</source> <target state="translated">'Case' no puede seguir a 'Case Else' en la misma instrucción 'Select'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertArrayMismatch4"> <source>Value of type '{0}' cannot be converted to '{1}' because '{2}' is not derived from '{3}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque '{2}' no se deriva de '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertObjectArrayMismatch3"> <source>Value of type '{0}' cannot be converted to '{1}' because '{2}' is not a reference type.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque '{2}' no es un tipo de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_ForLoopType1"> <source>'For' loop control variable cannot be of type '{0}' because the type does not support the required operators.</source> <target state="translated">'La variable de control del bucle 'For' no puede ser de tipo '{0}' porque el tipo no admite los operadores requeridos</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithByref2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by parameters declared 'ByRef' or 'ByVal'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros declarados como 'ByRef' o 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsFromNonInterface"> <source>Interface can inherit only from another interface.</source> <target state="translated">Una interfaz solo puede heredarse de otra interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceOrderOnInherits"> <source>'Inherits' statements must precede all declarations in an interface.</source> <target state="translated">'Las instrucciones 'Inherits' deben preceder a todas las declaraciones de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateDefaultProps1"> <source>'Default' can be applied to only one property name in a {0}.</source> <target state="translated">'Default' solo se puede aplicar a un nombre de propiedad en un {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultMissingFromProperty2"> <source>'{0}' and '{1}' cannot overload each other because only one is declared 'Default'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro debido a que solo uno está marcado como 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridingPropertyKind2"> <source>'{0}' cannot override '{1}' because they differ by 'ReadOnly' or 'WriteOnly'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en 'ReadOnly' o 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewInInterface"> <source>'Sub New' cannot be declared in an interface.</source> <target state="translated">'Sub New' no se puede declarar en una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnNew1"> <source>'Sub New' cannot be declared '{0}'.</source> <target state="translated">'Sub New' no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadingPropertyKind2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by 'ReadOnly' or 'WriteOnly'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro debido a que solo se diferencian en 'ReadOnly' o 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoDefaultNotExtend1"> <source>Class '{0}' cannot be indexed because it has no default property.</source> <target state="translated">La clase '{0}' no se puede indizar porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadWithArrayVsParamArray2"> <source>'{0}' and '{1}' cannot overload each other because they differ only by parameters declared 'ParamArray'.</source> <target state="translated">'{0}' y '{1}' no se pueden sobrecargar el uno al otro porque solo se diferencian en parámetros declarados como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInstanceMemberAccess"> <source>Cannot refer to an instance member of a class from within a shared method or shared member initializer without an explicit instance of the class.</source> <target state="translated">No se puede hacer referencia a un miembro de instancia de una clase desde un método compartido o un inicializador de miembro compartido sin una instancia explícita de la clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedRbrace"> <source>'}' expected.</source> <target state="translated">'Se esperaba '}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleAsType1"> <source>Module '{0}' cannot be used as a type.</source> <target state="translated">El módulo '{0}' no se puede usar como tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewIfNullOnNonClass"> <source>'New' cannot be used on an interface.</source> <target state="translated">'New' no se puede usar en una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchAfterFinally"> <source>'Catch' cannot appear after 'Finally' within a 'Try' statement.</source> <target state="translated">'Catch' no puede aparecer después de 'Finally' dentro de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchNoMatchingTry"> <source>'Catch' cannot appear outside a 'Try' statement.</source> <target state="translated">'Catch' no puede aparecer fuera de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_FinallyAfterFinally"> <source>'Finally' can only appear once in a 'Try' statement.</source> <target state="translated">'Finally' solo puede aparecer una vez en una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_FinallyNoMatchingTry"> <source>'Finally' cannot appear outside a 'Try' statement.</source> <target state="translated">'Finally' no puede aparecer fuera de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndTryNoTry"> <source>'End Try' must be preceded by a matching 'Try'.</source> <target state="translated">'End Try' debe ir precedida de la instrucción 'Try' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndTry"> <source>'Try' must end with a matching 'End Try'.</source> <target state="translated">'Try' debe terminar con la instrucción 'End Try' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDelegateFlags1"> <source>'{0}' is not valid on a Delegate declaration.</source> <target state="translated">'{0}' no es válido en una declaración de delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_NoConstructorOnBase2"> <source>Class '{0}' must declare a 'Sub New' because its base class '{1}' does not have an accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La clase '{0}' debe declarar un 'Sub New' porque su clase base '{1}' no dispone de un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleSymbol2"> <source>'{0}' is not accessible in this context because it is '{1}'.</source> <target state="translated">'No se puede obtener acceso a '{0}' en este contexto porque es '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleMember3"> <source>'{0}.{1}' is not accessible in this context because it is '{2}'.</source> <target state="translated">'No se puede obtener acceso a '{0}.{1}' en este contexto porque es '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchNotException1"> <source>'Catch' cannot catch type '{0}' because it is not 'System.Exception' or a class that inherits from 'System.Exception'.</source> <target state="translated">'Catch' no puede reconocer el tipo '{0}' debido a que no es 'System.Exception' ni una clase que herede de 'System.Exception'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitTryNotWithinTry"> <source>'Exit Try' can only appear inside a 'Try' statement.</source> <target state="translated">'Exit Try' solo puede aparecer dentro de una instrucción 'Try'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadRecordFlags1"> <source>'{0}' is not valid on a Structure declaration.</source> <target state="translated">'{0}' no es válido en una declaración Structure.</target> <note /> </trans-unit> <trans-unit id="ERR_BadEnumFlags1"> <source>'{0}' is not valid on an Enum declaration.</source> <target state="translated">“{0}” no es válido en una declaración de enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceFlags1"> <source>'{0}' is not valid on an Interface declaration.</source> <target state="translated">'{0}' no es válido en una declaración Interface.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithByref2"> <source>'{0}' cannot override '{1}' because they differ by a parameter that is marked as 'ByRef' versus 'ByVal'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en un parámetro que está marcado como 'ByRef' frente a 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_MyBaseAbstractCall1"> <source>'MyBase' cannot be used with method '{0}' because it is declared 'MustOverride'.</source> <target state="translated">'MyBase' no se puede usar con el método '{0}' porque está declarado como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_IdentNotMemberOfInterface4"> <source>'{0}' cannot implement '{1}' because there is no matching {2} on interface '{3}'.</source> <target state="translated">'{0}' no puede implementar '{1}' porque no existe su '{2}' correspondiente en la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementingInterfaceWithDifferentTupleNames5"> <source>'{0}' cannot implement {1} '{2}' on interface '{3}' because the tuple element names in '{4}' do not match those in '{5}'.</source> <target state="translated">'{0}' no puede implementar {1} '{2}' en la interfaz '{3}' porque los nombres de elementos de tupla de '{4}' no coinciden con los de '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_WithEventsRequiresClass"> <source>'WithEvents' variables must have an 'As' clause.</source> <target state="translated">'Las variables 'WithEvents' deben tener una cláusula 'As'.</target> <note /> </trans-unit> <trans-unit id="ERR_WithEventsAsStruct"> <source>'WithEvents' variables can only be typed as classes, interfaces or type parameters with class constraints.</source> <target state="translated">'Las variables 'WithEvents' solo se pueden escribir como clases, interfaces o parámetros de tipo con restricciones de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvertArrayRankMismatch2"> <source>Value of type '{0}' cannot be converted to '{1}' because the array types have different numbers of dimensions.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}' porque los tipos de matriz tienen un número diferente de dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_RedimRankMismatch"> <source>'ReDim' cannot change the number of dimensions of an array.</source> <target state="translated">'ReDim' no puede cambiar el número de dimensiones de una matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_StartupCodeNotFound1"> <source>'Sub Main' was not found in '{0}'.</source> <target state="translated">'No se encontró 'Sub Main' en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstAsNonConstant"> <source>Constants must be of an intrinsic or enumerated type, not a class, structure, type parameter, or array type.</source> <target state="translated">Las constantes deben ser de tipo intrínseco o enumerado, no pueden ser de tipo clase, estructura, parámetro de tipo ni matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndSub"> <source>'End Sub' must be preceded by a matching 'Sub'.</source> <target state="translated">'End Sub' debe ir precedida de la instrucción 'Sub' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndFunction"> <source>'End Function' must be preceded by a matching 'Function'.</source> <target state="translated">'End Function' debe ir precedida de la instrucción 'Function' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndProperty"> <source>'End Property' must be preceded by a matching 'Property'.</source> <target state="translated">'End Property' debe ir precedida de la instrucción 'Property' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseMethodSpecifier1"> <source>Methods in a Module cannot be declared '{0}'.</source> <target state="translated">Los métodos de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseEventSpecifier1"> <source>Events in a Module cannot be declared '{0}'.</source> <target state="translated">Los eventos de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantUseVarSpecifier1"> <source>Members in a Structure cannot be declared '{0}'.</source> <target state="translated">Los miembros de una estructura no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOverrideDueToReturn2"> <source>'{0}' cannot override '{1}' because they differ by their return types.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en sus tipos de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidOverrideDueToTupleNames2"> <source>'{0}' cannot override '{1}' because they differ by their tuple element names.</source> <target state="translated">'{0}' no puede reemplazar a '{1}' porque tienen nombres de elementos de tupla diferentes.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidOverrideDueToTupleNames2_Title"> <source>Member cannot override because it differs by its tuple element names.</source> <target state="translated">El miembro no se puede invalidar porque tiene nombres de elementos de tupla diferentes.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstantWithNoValue"> <source>Constants must have a value.</source> <target state="translated">Las constantes deben tener un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionOverflow1"> <source>Constant expression not representable in type '{0}'.</source> <target state="translated">La expresión constante no se puede representar en el tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePropertyGet"> <source>'Get' is already declared.</source> <target state="translated">'Get' está ya declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePropertySet"> <source>'Set' is already declared.</source> <target state="translated">'Set' está ya declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotDeclared1"> <source>'{0}' is not declared. It may be inaccessible due to its protection level.</source> <target state="translated">'{0}' no está declarado. Puede que sea inaccesible debido a su nivel de protección.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryOperands3"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'.</source> <target state="translated">El operador '{0}' no está definido por los tipos '{1}' y '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedProcedure"> <source>Expression is not a method.</source> <target state="translated">La expresión no es un método.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument2"> <source>Argument not specified for parameter '{0}' of '{1}'.</source> <target state="translated">No se especificó un argumento para el parámetro '{0}' de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotMember2"> <source>'{0}' is not a member of '{1}'.</source> <target state="translated">'{0}' no es un miembro de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndClassNoClass"> <source>'End Class' must be preceded by a matching 'Class'.</source> <target state="translated">'End Class' debe ir precedida de una instrucción 'Class' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadClassFlags1"> <source>Classes cannot be declared '{0}'.</source> <target state="translated">Las clases no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImportsMustBeFirst"> <source>'Imports' statements must precede any declarations.</source> <target state="translated">'Las instrucciones 'Imports' deben preceder a las declaraciones.</target> <note /> </trans-unit> <trans-unit id="ERR_NonNamespaceOrClassOnImport2"> <source>'{1}' for the Imports '{0}' does not refer to a Namespace, Class, Structure, Enum or Module.</source> <target state="translated">'{1}' para la instrucción Imports '{0}' no hace referencia a un espacio de nombres, una clase, una estructura, una enumeración ni un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypecharNotallowed"> <source>Type declaration characters are not valid in this context.</source> <target state="translated">Los caracteres de declaración de tipos no son válidos en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ObjectReferenceNotSupplied"> <source>Reference to a non-shared member requires an object reference.</source> <target state="translated">La referencia a un miembro no compartido requiere una referencia de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_MyClassNotInClass"> <source>'MyClass' cannot be used outside of a class.</source> <target state="translated">'MyClass' no se puede usar fuera de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_IndexedNotArrayOrProc"> <source>Expression is not an array or a method, and cannot have an argument list.</source> <target state="translated">La expresión no es una matriz ni un método y no puede tener una lista de argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_EventSourceIsArray"> <source>'WithEvents' variables cannot be typed as arrays.</source> <target state="translated">'Las variables 'WithEvents' no se pueden escribir como matrices.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedConstructorWithParams"> <source>Shared 'Sub New' cannot have any parameters.</source> <target state="translated">El constructor 'Sub New' compartido no puede tener ningún parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedConstructorIllegalSpec1"> <source>Shared 'Sub New' cannot be declared '{0}'.</source> <target state="translated">El 'Sub New' compartido no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndClass"> <source>'Class' statement must end with a matching 'End Class'.</source> <target state="translated">'La instrucción 'Class' debe terminar con la instrucción 'End Class' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_UnaryOperand2"> <source>Operator '{0}' is not defined for type '{1}'.</source> <target state="translated">El operador '{0}' no está definido para el tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsWithDefault1"> <source>'Default' cannot be combined with '{0}'.</source> <target state="translated">'Default' no se puede combinar con '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VoidValue"> <source>Expression does not produce a value.</source> <target state="translated">La expresión no genera un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorFunction"> <source>Constructor must be declared as a Sub, not as a Function.</source> <target state="translated">El constructor debe declararse como Sub y no como Function.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidLiteralExponent"> <source>Exponent is not valid.</source> <target state="translated">El exponente no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_NewCannotHandleEvents"> <source>'Sub New' cannot handle events.</source> <target state="translated">'Sub New' no puede administrar eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularEvaluation1"> <source>Constant '{0}' cannot depend on its own value.</source> <target state="translated">La constante '{0}' no puede depender de su propio valor.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnSharedMeth1"> <source>'Shared' cannot be combined with '{0}' on a method declaration.</source> <target state="translated">'Shared' no se puede combinar con '{0}' en una declaración de método.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnSharedProperty1"> <source>'Shared' cannot be combined with '{0}' on a property declaration.</source> <target state="translated">'Shared' no se puede combinar con '{0}' en una declaración de propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnStdModuleProperty1"> <source>Properties in a Module cannot be declared '{0}'.</source> <target state="translated">Las propiedades de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedOnProcThatImpl"> <source>Methods or events that implement interface members cannot be declared 'Shared'.</source> <target state="translated">Los métodos o eventos que implementan miembros de interfaz no se pueden declarar como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoWithEventsVarOnHandlesList"> <source>Handles clause requires a WithEvents variable defined in the containing type or one of its base types.</source> <target state="translated">La cláusula Handles requiere una variable WithEvents definida en el tipo contenedor o en uno de sus tipos base.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceAccessMismatch5"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of the base {1} to {3} '{4}'.</source> <target state="translated">'{0}' no puede heredar de {1} '{2}' porque expande el acceso de la base {1} a {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NarrowingConversionDisallowed2"> <source>Option Strict On disallows implicit conversions from '{0}' to '{1}'.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoArgumentCountOverloadCandidates1"> <source>Overload resolution failed because no accessible '{0}' accepts this number of arguments.</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso acepta este número de argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoViableOverloadCandidates1"> <source>Overload resolution failed because no '{0}' is accessible.</source> <target state="translated">Error de resolución de sobrecarga porque no se tiene acceso a ninguna función '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoCallableOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called with these arguments:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ninguna de las funciones '{0}' a las que se tiene acceso con estos argumentos:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ningún '{0}' accesible: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonNarrowingOverloadCandidates2"> <source>Overload resolution failed because no accessible '{0}' can be called without a narrowing conversion:{1}</source> <target state="translated">Error de resolución de sobrecarga porque no se puede llamar a ninguna de las funciones '{0}' a las que se tiene acceso sin una conversión de restricción:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentNarrowing3"> <source>Argument matching parameter '{0}' narrows from '{1}' to '{2}'.</source> <target state="translated">El parámetro '{0}' correspondiente al argumento se reduce de '{1}' a '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoMostSpecificOverload2"> <source>Overload resolution failed because no accessible '{0}' is most specific for these arguments:{1}</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso es más específica para estos argumentos:{1}</target> <note /> </trans-unit> <trans-unit id="ERR_NotMostSpecificOverload"> <source>Not most specific.</source> <target state="translated">No es la más específica.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadCandidate2"> <source> '{0}': {1}</source> <target state="translated"> '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_NoGetProperty1"> <source>Property '{0}' is 'WriteOnly'.</source> <target state="translated">La propiedad '{0}' es 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSetProperty1"> <source>Property '{0}' is 'ReadOnly'.</source> <target state="translated">La propiedad '{0}' es 'ReadOnly'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamTypingInconsistency"> <source>All parameters must be explicitly typed if any of them are explicitly typed.</source> <target state="translated">Todos los parámetros deben tener un tipo explícito si uno de ellos lo tiene.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamNameFunctionNameCollision"> <source>Parameter cannot have the same name as its defining function.</source> <target state="translated">El parámetro no puede tener el mismo nombre que la función que lo define.</target> <note /> </trans-unit> <trans-unit id="ERR_DateToDoubleConversion"> <source>Conversion from 'Date' to 'Double' requires calling the 'Date.ToOADate' method.</source> <target state="translated">La conversión de 'Date' en 'Double' requiere llamar al método 'Date.ToOADate'.</target> <note /> </trans-unit> <trans-unit id="ERR_DoubleToDateConversion"> <source>Conversion from 'Double' to 'Date' requires calling the 'Date.FromOADate' method.</source> <target state="translated">La conversión de 'Double' en 'Date' requiere llamar al método 'Date.FromOADate'.</target> <note /> </trans-unit> <trans-unit id="ERR_ZeroDivide"> <source>Division by zero occurred while evaluating this expression.</source> <target state="translated">División entre cero al evaluar esta expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TryAndOnErrorDoNotMix"> <source>Method cannot contain both a 'Try' statement and an 'On Error' or 'Resume' statement.</source> <target state="translated">El método no puede contener a la vez una instrucción 'Try' y una instrucción 'On Error' o 'Resume'.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyAccessIgnored"> <source>Property access must assign to the property or use its value.</source> <target state="translated">Debe asignarse un acceso de propiedad a la propiedad o usar su valor.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNoDefault1"> <source>'{0}' cannot be indexed because it has no default property.</source> <target state="translated">'No se puede indizar la clase '{0}' porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyAttribute1"> <source>Attribute '{0}' cannot be applied to an assembly.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidModuleAttribute1"> <source>Attribute '{0}' cannot be applied to a module.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInUnnamedNamespace1"> <source>'{0}' is ambiguous.</source> <target state="translated">'{0}' es ambiguo.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultMemberNotProperty1"> <source>Default member of '{0}' is not a property.</source> <target state="translated">El miembro predeterminado de '{0}' no es una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInNamespace2"> <source>'{0}' is ambiguous in the namespace '{1}'.</source> <target state="translated">'{0}' es ambiguo en el espacio de nombres '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInImports2"> <source>'{0}' is ambiguous, imported from the namespaces or types '{1}'.</source> <target state="translated">'{0}' es ambiguo y se ha importado de los espacios de nombres o tipos '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInModules2"> <source>'{0}' is ambiguous between declarations in Modules '{1}'.</source> <target state="translated">'{0}' es ambiguo entre las declaraciones de los módulos '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousInNamespaces2"> <source>'{0}' is ambiguous between declarations in namespaces '{1}'.</source> <target state="translated">'{0}' es ambiguo entre declaraciones en espacios de nombres '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerTooFewDimensions"> <source>Array initializer has too few dimensions.</source> <target state="translated">El inicializador de matriz no tiene suficientes dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerTooManyDimensions"> <source>Array initializer has too many dimensions.</source> <target state="translated">El inicializador de matriz tiene demasiadas dimensiones.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerTooFewElements1"> <source>Array initializer is missing {0} elements.</source> <target state="translated">Al inicializador de matriz le faltan {0} elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerTooManyElements1"> <source>Array initializer has {0} too many elements.</source> <target state="translated">El inicializador de matriz tiene demasiados elementos {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_NewOnAbstractClass"> <source>'New' cannot be used on a class that is declared 'MustInherit'.</source> <target state="translated">'New' no se puede usar en una clase declarada como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateNamedImportAlias1"> <source>Alias '{0}' is already declared.</source> <target state="translated">El alias '{0}' ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicatePrefix"> <source>XML namespace prefix '{0}' is already declared.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsLateBinding"> <source>Option Strict On disallows late binding.</source> <target state="translated">Option Strict On no permite el enlace en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfOperandNotMethod"> <source>'AddressOf' operand must be the name of a method (without parentheses).</source> <target state="translated">'El operando 'AddressOf' debe ser el nombre de un método (sin paréntesis).</target> <note /> </trans-unit> <trans-unit id="ERR_EndExternalSource"> <source>'#End ExternalSource' must be preceded by a matching '#ExternalSource'.</source> <target state="translated">'#End ExternalSource' debe ir precedida de la instrucción '#ExternalSource' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndExternalSource"> <source>'#ExternalSource' statement must end with a matching '#End ExternalSource'.</source> <target state="translated">'La instrucción '#ExternalSource' debe terminar con la instrucción '#End ExternalSource' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedExternalSource"> <source>'#ExternalSource' directives cannot be nested.</source> <target state="translated">'Las directivas '#ExternalSource' no se pueden anidar.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNotDelegate1"> <source>'AddressOf' expression cannot be converted to '{0}' because '{0}' is not a delegate type.</source> <target state="translated">'La expresión 'AddressOf' no se puede convertir en '{0}' porque '{0}' no es un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_SyncLockRequiresReferenceType1"> <source>'SyncLock' operand cannot be of type '{0}' because '{0}' is not a reference type.</source> <target state="translated">'El operando de 'SyncLock' no puede ser del tipo '{0}' porque '{0}' no es un tipo de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodAlreadyImplemented2"> <source>'{0}.{1}' cannot be implemented more than once.</source> <target state="translated">'{0}.{1}' no se puede implementar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateInInherits1"> <source>'{0}' cannot be inherited more than once.</source> <target state="translated">'{0}' no se puede heredar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamArrayArgument"> <source>Named argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento con nombre no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedParamArrayArgument"> <source>Omitted argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento omitido no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayArgumentMismatch"> <source>Argument cannot match a ParamArray parameter.</source> <target state="translated">Un argumento no puede coincidir con un parámetro ParamArray.</target> <note /> </trans-unit> <trans-unit id="ERR_EventNotFound1"> <source>Event '{0}' cannot be found.</source> <target state="translated">No se encuentra el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseVariableSpecifier1"> <source>Variables in Modules cannot be declared '{0}'.</source> <target state="translated">Las variables de los módulos no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedEventNeedsSharedHandler"> <source>Events of shared WithEvents variables cannot be handled by non-shared methods.</source> <target state="translated">Los métodos no compartidos no pueden controlar los eventos de variables WithEvents compartidas.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedMinus"> <source>'-' expected.</source> <target state="translated">'Se esperaba '-'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceMemberSyntax"> <source>Interface members must be methods, properties, events, or type definitions.</source> <target state="translated">Los miembros de interfaz deben ser métodos, propiedades, eventos o definiciones de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideInterface"> <source>Statement cannot appear within an interface body.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsInterface"> <source>Statement cannot appear within an interface body. End of interface assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una interfaz. Se supone el final de la interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsInNotInheritableClass1"> <source>'NotInheritable' classes cannot have members declared '{0}'.</source> <target state="translated">'Las clases 'NotInheritable' no pueden tener miembros declarados como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseOnlyClassesMustBeExplicit2"> <source>Class '{0}' must either be declared 'MustInherit' or override the following inherited 'MustOverride' member(s): {1}.</source> <target state="translated">La clase '{0}' debe declararse como 'MustInherit' o invalidar los siguientes miembros 'MustOverride' heredados: {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_MustInheritEventNotOverridden"> <source>'{0}' is a MustOverride event in the base class '{1}'. Visual Basic does not support event overriding. You must either provide an implementation for the event in the base class, or make class '{2}' MustInherit.</source> <target state="translated">'{0}' es un evento MustOverride en la clase base '{1}'. Visual Basic no admite la invalidación de eventos. Proporcione una implementación para el evento en la clase base o convierta la clase '{2}' en MustInherit.</target> <note /> </trans-unit> <trans-unit id="ERR_NegativeArraySize"> <source>Array dimensions cannot have a negative size.</source> <target state="translated">Las dimensiones de matriz no pueden tener un tamaño negativo.</target> <note /> </trans-unit> <trans-unit id="ERR_MyClassAbstractCall1"> <source>'MustOverride' method '{0}' cannot be called with 'MyClass'.</source> <target state="translated">'No se puede llamar al método 'MustOverride' '{0}' con 'MyClass'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndDisallowedInDllProjects"> <source>'End' statement cannot be used in class library projects.</source> <target state="translated">'La instrucción 'End' no se puede usar en proyectos de biblioteca de clases.</target> <note /> </trans-unit> <trans-unit id="ERR_BlockLocalShadowing1"> <source>Variable '{0}' hides a variable in an enclosing block.</source> <target state="translated">La variable '{0}' oculta una variable en un bloque de inclusión.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleNotAtNamespace"> <source>'Module' statements can occur only at file or namespace level.</source> <target state="translated">'Las instrucciones 'Module' solo pueden ocurrir en el nivel de archivo o de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotAtNamespace"> <source>'Namespace' statements can occur only at file or namespace level.</source> <target state="translated">'Las instrucciones 'Namespace' solo pueden ocurrir en el nivel de archivo o de espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEnum"> <source>Statement cannot appear within an Enum body.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsEnum"> <source>Statement cannot appear within an Enum body. End of Enum assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una enumeración. Se supone el final de la enumeración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionStrict"> <source>'Option Strict' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Strict' solo puede ir seguida de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndStructureNoStructure"> <source>'End Structure' must be preceded by a matching 'Structure'.</source> <target state="translated">'End Structure' debe ir precedida de la instrucción 'Structure' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndModuleNoModule"> <source>'End Module' must be preceded by a matching 'Module'.</source> <target state="translated">'End Module' debe ir precedida de la instrucción 'Module' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_EndNamespaceNoNamespace"> <source>'End Namespace' must be preceded by a matching 'Namespace'.</source> <target state="translated">'End Namespace' debe ir precedida de la instrucción 'Namespace' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndStructure"> <source>'Structure' statement must end with a matching 'End Structure'.</source> <target state="translated">'La instrucción 'Structure' debe terminar con la instrucción 'End Structure' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndModule"> <source>'Module' statement must end with a matching 'End Module'.</source> <target state="translated">'La instrucción 'Module' debe terminar con la instrucción 'End Module' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndNamespace"> <source>'Namespace' statement must end with a matching 'End Namespace'.</source> <target state="translated">'La instrucción 'Namespace' debe terminar con la instrucción 'End Namespace' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionStmtWrongOrder"> <source>'Option' statements must precede any declarations or 'Imports' statements.</source> <target state="translated">'Las instrucciones 'Option' deben preceder a las declaraciones o instrucciones 'Imports'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantInherit"> <source>Structures cannot have 'Inherits' statements.</source> <target state="translated">Las estructuras no pueden tener instrucciones 'Inherits'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewInStruct"> <source>Structures cannot declare a non-shared 'Sub New' with no parameters.</source> <target state="translated">Las estructuras no pueden declarar un elemento 'Sub New' no compartido sin parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndGet"> <source>'End Get' must be preceded by a matching 'Get'.</source> <target state="translated">'End Get' debe ir precedida de la instrucción 'Get' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndGet"> <source>'Get' statement must end with a matching 'End Get'.</source> <target state="translated">'La instrucción 'Get' debe terminar con la instrucción 'End Get' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndSet"> <source>'End Set' must be preceded by a matching 'Set'.</source> <target state="translated">'End Set' debe ir precedida de la instrucción 'Set' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndSet"> <source>'Set' statement must end with a matching 'End Set'.</source> <target state="translated">'La instrucción 'Set' debe terminar con la instrucción 'End Set' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsProperty"> <source>Statement cannot appear within a property body. End of property assumed.</source> <target state="translated">La instrucción no puede aparecer dentro del cuerpo de una propiedad. Se supone el final de la propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateWriteabilityCategoryUsed"> <source>'ReadOnly' and 'WriteOnly' cannot be combined.</source> <target state="translated">'ReadOnly' y 'WriteOnly' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedGreater"> <source>'&gt;' expected.</source> <target state="translated">'Se esperaba '&gt;'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeStmtWrongOrder"> <source>Assembly or Module attribute statements must precede any declarations in a file.</source> <target state="translated">Las instrucciones de atributo de ensamblado o módulo deben preceder a cualquier declaración en un archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_NoExplicitArraySizes"> <source>Array bounds cannot appear in type specifiers.</source> <target state="translated">Los límites de matriz no pueden aparecer en los especificadores de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyFlags1"> <source>Properties cannot be declared '{0}'.</source> <target state="translated">Las propiedades no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionExplicit"> <source>'Option Explicit' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Explicit' solo puede ir seguida de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleParameterSpecifiers"> <source>'ByVal' and 'ByRef' cannot be combined.</source> <target state="translated">'ByVal' y 'ByRef' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleOptionalParameterSpecifiers"> <source>'Optional' and 'ParamArray' cannot be combined.</source> <target state="translated">'Optional' y 'ParamArray' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedProperty1"> <source>Property '{0}' is of an unsupported type.</source> <target state="translated">La propiedad '{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionalParameterUsage1"> <source>Attribute '{0}' cannot be applied to a method with optional parameters.</source> <target state="translated">El atributo '{0}' no se puede aplicar a un método con parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnFromNonFunction"> <source>'Return' statement in a Sub or a Set cannot return a value.</source> <target state="translated">'Una instrucción 'Return' en Sub o Set no puede devolver un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_UnterminatedStringLiteral"> <source>String constants must end with a double quote.</source> <target state="translated">Las constantes de cadena deben terminar con comillas dobles.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedType1"> <source>'{0}' is an unsupported type.</source> <target state="translated">'{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEnumBase"> <source>Enums must be declared as an integral type.</source> <target state="translated">Las enumeraciones se deben declarar como un tipo entero.</target> <note /> </trans-unit> <trans-unit id="ERR_ByRefIllegal1"> <source>{0} parameters cannot be declared 'ByRef'.</source> <target state="translated">Los parámetros {0} no se pueden declarar como 'ByRef'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedAssembly3"> <source>Reference required to assembly '{0}' containing the type '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al ensamblado '{0}' que contiene el tipo '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_UnreferencedModule3"> <source>Reference required to module '{0}' containing the type '{1}'. Add one to your project.</source> <target state="translated">Es necesaria una referencia al módulo '{0}' que contiene el tipo '{1}'. Agregue una al proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnWithoutValue"> <source>'Return' statement in a Function, Get, or Operator must return a value.</source> <target state="translated">'Una instrucción 'Return' en Function, Get u Operator debe devolver un valor.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedField1"> <source>Field '{0}' is of an unsupported type.</source> <target state="translated">El campo '{0}' es de un tipo no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedMethod1"> <source>'{0}' has a return type that is not supported or parameter types that are not supported.</source> <target state="translated">'El tipo de valor devuelto o los tipos de parámetros de '{0}' no se admiten.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonIndexProperty1"> <source>Property '{0}' with no parameters cannot be found.</source> <target state="translated">No se encuentra la propiedad '{0}' sin parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributePropertyType1"> <source>Property or field '{0}' does not have a valid attribute type.</source> <target state="translated">La propiedad o el campo '{0}' no tienen un tipo de atributo válido.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalsCannotHaveAttributes"> <source>Attributes cannot be applied to local variables.</source> <target state="translated">No se pueden aplicar atributos a las variables locales.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyOrFieldNotDefined1"> <source>Field or property '{0}' is not found.</source> <target state="translated">Campo o propiedad '{0}' no encontrados.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeUsage2"> <source>Attribute '{0}' cannot be applied to '{1}' because the attribute is not valid on this declaration type.</source> <target state="translated">El atributo '{0}' no se puede aplicar a '{1}' porque el atributo no es válido en este tipo de declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeUsageOnAccessor"> <source>Attribute '{0}' cannot be applied to '{1}' of '{2}' because the attribute is not valid on this declaration type.</source> <target state="translated">El atributo '{0}' no se puede aplicar a '{1}' de '{2}' porque el atributo no es válido en este tipo de declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedTypeInInheritsClause2"> <source>Class '{0}' cannot reference its nested type '{1}' in Inherits clause.</source> <target state="translated">La clase '{0}' no puede hacer referencia a su tipo anidado '{1}' en la cláusula Inherits.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInItsInheritsClause1"> <source>Class '{0}' cannot reference itself in Inherits clause.</source> <target state="translated">La clase '{0}' no puede hacer referencia a sí misma en la cláusula Inherits.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseTypeReferences2"> <source> Base type of '{0}' needs '{1}' to be resolved.</source> <target state="translated"> El tipo base de '{0}' necesita que se resuelva '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalBaseTypeReferences3"> <source>Inherits clause of {0} '{1}' causes cyclic dependency: {2}</source> <target state="translated">La cláusula Inherits de {0} '{1}' provoca dependencia cíclica: {2}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMultipleAttributeUsage1"> <source>Attribute '{0}' cannot be applied multiple times.</source> <target state="translated">El atributo '{0}' no se puede aplicar varias veces.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMultipleAttributeUsageInNetModule2"> <source>Attribute '{0}' in '{1}' cannot be applied multiple times.</source> <target state="translated">El atributo '{0}' de '{1}' no se puede aplicar varias veces.</target> <note /> </trans-unit> <trans-unit id="ERR_CantThrowNonException"> <source>'Throw' operand must derive from 'System.Exception'.</source> <target state="translated">'El operando 'Throw' debe derivarse de 'System.Exception'.</target> <note /> </trans-unit> <trans-unit id="ERR_MustBeInCatchToRethrow"> <source>'Throw' statement cannot omit operand outside a 'Catch' statement or inside a 'Finally' statement.</source> <target state="translated">'La instrucción 'Throw' no puede omitir el operando fuera de una instrucción 'Catch' ni dentro de una instrucción 'Finally'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayMustBeByVal"> <source>ParamArray parameters must be declared 'ByVal'.</source> <target state="translated">Los parámetros ParamArray se deben declarar como 'ByVal'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoleteSymbol2"> <source>'{0}' is obsolete: '{1}'.</source> <target state="translated">'{0}' está obsoleto: '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RedimNoSizes"> <source>'ReDim' statements require a parenthesized list of the new bounds of each dimension of the array.</source> <target state="translated">'Las instrucciones 'ReDim' requieren una lista entre paréntesis de los nuevos límites de cada una de las dimensiones de la matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_InitWithMultipleDeclarators"> <source>Explicit initialization is not permitted with multiple variables declared with a single type specifier.</source> <target state="translated">No se permite la inicialización explícita con varias variables declaradas con un solo especificador de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InitWithExplicitArraySizes"> <source>Explicit initialization is not permitted for arrays declared with explicit bounds.</source> <target state="translated">No se permite la inicialización explícita para matrices declaradas con límites explícitos.</target> <note /> </trans-unit> <trans-unit id="ERR_EndSyncLockNoSyncLock"> <source>'End SyncLock' must be preceded by a matching 'SyncLock'.</source> <target state="translated">'End SyncLock' debe ir precedida de la instrucción 'SyncLock' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndSyncLock"> <source>'SyncLock' statement must end with a matching 'End SyncLock'.</source> <target state="translated">'La instrucción 'SyncLock' debe terminar con la instrucción 'End SyncLock' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotEvent2"> <source>'{0}' is not an event of '{1}'.</source> <target state="translated">'{0}' no es un evento de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddOrRemoveHandlerEvent"> <source>'AddHandler' or 'RemoveHandler' statement event operand must be a dot-qualified expression or a simple name.</source> <target state="translated">'El operando de eventos de la instrucción 'AddHandler' o 'RemoveHandler' debe ser una expresión calificada por puntos o un nombre simple.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedEnd"> <source>'End' statement not valid.</source> <target state="translated">'Instrucción 'End' no válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitForNonArray2"> <source>Array initializers are valid only for arrays, but the type of '{0}' is '{1}'.</source> <target state="translated">Los inicializadores de matrices solo son válidos para las matrices, pero el tipo de '{0}' es '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndRegionNoRegion"> <source>'#End Region' must be preceded by a matching '#Region'.</source> <target state="translated">'#End Region' debe ir precedida de la instrucción '#Region' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndRegion"> <source>'#Region' statement must end with a matching '#End Region'.</source> <target state="translated">'La instrucción '#Region' debe terminar con la instrucción '#End Region' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsStmtWrongOrder"> <source>'Inherits' statement must precede all declarations in a class.</source> <target state="translated">'La instrucción 'Inherits' debe preceder a todas las declaraciones de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousAcrossInterfaces3"> <source>'{0}' is ambiguous across the inherited interfaces '{1}' and '{2}'.</source> <target state="translated">'{0}' es ambiguo en las interfaces heredadas '{1}' y '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultPropertyAmbiguousAcrossInterfaces4"> <source>Default property access is ambiguous between the inherited interface members '{0}' of interface '{1}' and '{2}' of interface '{3}'.</source> <target state="translated">Hay un acceso de propiedad predeterminado ambiguo entre los miembros de interfaz heredados '{0}' de la interfaz '{1}' y '{2}' de la interfaz '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceEventCantUse1"> <source>Events in interfaces cannot be declared '{0}'.</source> <target state="translated">Los eventos de las interfaces no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExecutableAsDeclaration"> <source>Statement cannot appear outside of a method body.</source> <target state="translated">La instrucción no puede aparecer fuera de un cuerpo de método.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureNoDefault1"> <source>Structure '{0}' cannot be indexed because it has no default property.</source> <target state="translated">No se puede indizar la estructura '{0}' porque no tiene ninguna propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_MustShadow2"> <source>{0} '{1}' must be declared 'Shadows' because another member with this name is declared 'Shadows'.</source> <target state="translated">{0} '{1}' se debe declarar como 'Shadows' porque otro miembro con este nombre está declarado como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithOptionalTypes2"> <source>'{0}' cannot override '{1}' because they differ by the types of optional parameters.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los tipos de parámetros opcionales.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndOfExpression"> <source>End of expression expected.</source> <target state="translated">Se esperaba el fin de una expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_StructsCannotHandleEvents"> <source>Methods declared in structures cannot have 'Handles' clauses.</source> <target state="translated">Los métodos declarados en estructuras no pueden tener cláusulas 'Handles'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverridesImpliesOverridable"> <source>Methods declared 'Overrides' cannot be declared 'Overridable' because they are implicitly overridable.</source> <target state="translated">Los métodos declarados 'Overrides' no se pueden declarar 'Overridable' porque se pueden invalidar implícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalNamedSameAsParam1"> <source>'{0}' is already declared as a parameter of this method.</source> <target state="translated">'{0}' ya se declaró como parámetro de este método.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalNamedSameAsParamInLambda1"> <source>Variable '{0}' is already declared as a parameter of this or an enclosing lambda expression.</source> <target state="translated">La variable '{0}' ya está declarada como un parámetro de esta o de una expresión lambda envolvente.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseTypeSpecifier1"> <source>Type in a Module cannot be declared '{0}'.</source> <target state="translated">Un tipo de un módulo no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InValidSubMainsFound1"> <source>No accessible 'Main' method with an appropriate signature was found in '{0}'.</source> <target state="translated">No se encontró ningún método 'Main' accesible con una firma apropiada en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MoreThanOneValidMainWasFound2"> <source>'Sub Main' is declared more than once in '{0}': {1}</source> <target state="translated">'Sub Main' se declaró más de una vez en '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_CannotConvertValue2"> <source>Value '{0}' cannot be converted to '{1}'.</source> <target state="translated">El valor '{0}' no se puede convertir en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnErrorInSyncLock"> <source>'On Error' statements are not valid within 'SyncLock' statements.</source> <target state="translated">'Las instrucciones 'On Error' no son válidas dentro de instrucciones 'SyncLock'.</target> <note /> </trans-unit> <trans-unit id="ERR_NarrowingConversionCollection2"> <source>Option Strict On disallows implicit conversions from '{0}' to '{1}'; the Visual Basic 6.0 collection type is not compatible with the .NET Framework collection type.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}'; el tipo de colección de Visual Basic 6.0 no es compatible con el tipo de colección de .NET Framework.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoTryHandler"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'Try', 'Catch' or 'Finally' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'Try', 'Catch' o 'Finally' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoSyncLock"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'SyncLock' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'SyncLock' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoWith"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'With' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'With' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoFor"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'For' or 'For Each' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'For' o 'For Each' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicConstructor"> <source>Attribute cannot be used because it does not have a Public constructor.</source> <target state="translated">No se puede usar el atributo porque no tiene un constructor Public.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultEventNotFound1"> <source>Event '{0}' specified by the 'DefaultEvent' attribute is not a publicly accessible event for this class.</source> <target state="translated">El evento '{0}' especificado por el atributo 'DefaultEvent' no es un evento accesible públicamente para esta clase.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNonSerializedUsage"> <source>'NonSerialized' attribute will not have any effect on this member because its containing class is not exposed as 'Serializable'.</source> <target state="translated">'El atributo 'NonSerialized' no tendrá ningún efecto en este miembro porque su clase contenedora no está expuesta como 'Serializable'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedContinueKind"> <source>'Continue' must be followed by 'Do', 'For' or 'While'.</source> <target state="translated">'Continue' debe ir seguida de 'Do', 'For' o 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueDoNotWithinDo"> <source>'Continue Do' can only appear inside a 'Do' statement.</source> <target state="translated">'Continue Do' únicamente puede aparecer dentro de una instrucción 'Do'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueForNotWithinFor"> <source>'Continue For' can only appear inside a 'For' statement.</source> <target state="translated">'Continue For' solo puede aparecer dentro de una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_ContinueWhileNotWithinWhile"> <source>'Continue While' can only appear inside a 'While' statement.</source> <target state="translated">'Continue While' solo puede aparecer dentro de una instrucción 'While'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateParameterSpecifier"> <source>Parameter specifier is duplicated.</source> <target state="translated">El especificador del parámetro está duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleCantUseDLLDeclareSpecifier1"> <source>'Declare' statements in a Module cannot be declared '{0}'.</source> <target state="translated">'Las instrucciones 'Declare' de un módulo no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructCantUseDLLDeclareSpecifier1"> <source>'Declare' statements in a structure cannot be declared '{0}'.</source> <target state="translated">'Las instrucciones 'Declare' de una estructura no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TryCastOfValueType1"> <source>'TryCast' operand must be reference type, but '{0}' is a value type.</source> <target state="translated">'El operando 'TryCast' debe ser un tipo de referencia, pero '{0}' es un tipo de valor.</target> <note /> </trans-unit> <trans-unit id="ERR_TryCastOfUnconstrainedTypeParam1"> <source>'TryCast' operands must be class-constrained type parameter, but '{0}' has no class constraint.</source> <target state="translated">'Los operandos 'TryCast' deben ser parámetros de tipo con restricción de clase, pero '{0}' no tiene restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousDelegateBinding2"> <source>No accessible '{0}' is most specific: {1}</source> <target state="translated">'{0}' al que no se puede obtener acceso es más específico: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_SharedStructMemberCannotSpecifyNew"> <source>Non-shared members in a Structure cannot be declared 'New'.</source> <target state="translated">No se pueden declarar como 'New' los miembros no compartidos de una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericSubMainsFound1"> <source>None of the accessible 'Main' methods with the appropriate signatures found in '{0}' can be the startup method since they are all either generic or nested in generic types.</source> <target state="translated">Ninguno de los métodos 'Main' accesibles con las firmas adecuadas encontrados en '{0}' puede ser el método de inicio porque son todos genéricos o están anidados en tipos genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_GeneralProjectImportsError3"> <source>Error in project-level import '{0}' at '{1}' : {2}</source> <target state="translated">Error en la importación de nivel de proyecto '{0}' en '{1}' : {2}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidTypeForAliasesImport2"> <source>'{1}' for the Imports alias to '{0}' does not refer to a Namespace, Class, Structure, Interface, Enum or Module.</source> <target state="translated">'{1}' del alias de Imports para '{0}' no hace referencia a un espacio de nombres, una clase, una estructura, una interfaz, una enumeración ni un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedConstant2"> <source>Field '{0}.{1}' has an invalid constant value.</source> <target state="translated">El campo '{0}.{1}' tiene un valor de constante no válido.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteArgumentsNeedParens"> <source>Method arguments must be enclosed in parentheses.</source> <target state="translated">Los argumentos de método se deben incluir entre paréntesis.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteLineNumbersAreLabels"> <source>Labels that are numbers must be followed by colons.</source> <target state="translated">Las etiquetas que son números deben ir seguidas de dos puntos.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteStructureNotType"> <source>'Type' statements are no longer supported; use 'Structure' statements instead.</source> <target state="translated">'Ya no se admiten las instrucciones 'Type'; use las instrucciones 'Structure' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteObjectNotVariant"> <source>'Variant' is no longer a supported type; use the 'Object' type instead.</source> <target state="translated">'Ya no se admite el tipo 'Variant'; use el tipo 'Object' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteLetSetNotNeeded"> <source>'Let' and 'Set' assignment statements are no longer supported.</source> <target state="translated">'No se admiten instrucciones de asignación 'Let' y 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoletePropertyGetLetSet"> <source>Property Get/Let/Set are no longer supported; use the new Property declaration syntax.</source> <target state="translated">No se admiten las propiedades Get/Let/Set; use la nueva sintaxis de declaración de propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteWhileWend"> <source>'Wend' statements are no longer supported; use 'End While' statements instead.</source> <target state="translated">'Ya no se admiten instrucciones 'Wend'; use instrucciones 'End While' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteRedimAs"> <source>'ReDim' statements can no longer be used to declare array variables.</source> <target state="translated">'Las instrucciones 'ReDim' ya no se pueden usar para declarar variables de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteOptionalWithoutValue"> <source>Optional parameters must specify a default value.</source> <target state="translated">Los parámetros opcionales deben especificar un valor predeterminado.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteGosub"> <source>'GoSub' statements are no longer supported.</source> <target state="translated">'Ya no se admiten instrucciones 'GoSub'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteOnGotoGosub"> <source>'On GoTo' and 'On GoSub' statements are no longer supported.</source> <target state="translated">'No se admiten las instrucciones 'OnGoTo' ni 'OnGoSub'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteEndIf"> <source>'EndIf' statements are no longer supported; use 'End If' instead.</source> <target state="translated">'Ya no se admiten instrucciones 'EndIf'; use 'End If' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteExponent"> <source>'D' can no longer be used to indicate an exponent, use 'E' instead.</source> <target state="translated">'D' ya no se puede usar para indicar un exponente; use 'E' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteAsAny"> <source>'As Any' is not supported in 'Declare' statements.</source> <target state="translated">'As Any' no se admite en instrucciones 'Declare'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteGetStatement"> <source>'Get' statements are no longer supported. File I/O functionality is available in the 'Microsoft.VisualBasic' namespace.</source> <target state="translated">'Ya no se admiten instrucciones 'Get'. La funcionalidad de E/S de archivo está disponible en el espacio de nombres 'Microsoft.VisualBasic'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithArrayVsParamArray2"> <source>'{0}' cannot override '{1}' because they differ by parameters declared 'ParamArray'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque se diferencian en los parámetros declarados como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularBaseDependencies4"> <source>This inheritance causes circular dependencies between {0} '{1}' and its nested or base type '{2}'.</source> <target state="translated">Esta herencia produce dependencias circulares entre {0} '{1}' y su tipo anidado o base '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedBase2"> <source>{0} '{1}' cannot inherit from a type nested within it.</source> <target state="translated">{0} '{1}' no puede heredar de un tipo anidado dentro de él.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchOutsideAssembly4"> <source>'{0}' cannot expose type '{1}' outside the project through {2} '{3}'.</source> <target state="translated">'{0}' no puede exponer el tipo '{1}' fuera del proyecto a través de {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceAccessMismatchOutside3"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of the base {1} outside the assembly.</source> <target state="translated">'{0}' no puede heredar de {1} '{2}' porque expande el acceso de la base {1} fuera del ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoletePropertyAccessor3"> <source>'{0}' accessor of '{1}' is obsolete: '{2}'.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto: '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoletePropertyAccessor2"> <source>'{0}' accessor of '{1}' is obsolete.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchImplementedEvent6"> <source>'{0}' cannot expose the underlying delegate type '{1}' of the event it is implementing to {2} '{3}' through {4} '{5}'.</source> <target state="translated">'{0}' no puede exponer el tipo delegado subyacente '{1}' del evento que se implementa en {2} '{3}' a través de {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatchImplementedEvent4"> <source>'{0}' cannot expose the underlying delegate type '{1}' of the event it is implementing outside the project through {2} '{3}'.</source> <target state="translated">'{0}' no puede exponer el tipo delegado subyacente '{1}' del evento que se implementa fuera del proyecto a través de {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritanceCycleInImportedType1"> <source>Type '{0}' is not supported because it either directly or indirectly inherits from itself.</source> <target state="translated">El tipo '{0}' no es compatible porque hereda directa o indirectamente de sí mismo.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonObsoleteConstructorOnBase3"> <source>Class '{0}' must declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNonObsoleteConstructorOnBase4"> <source>Class '{0}' must declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNonObsoleteNewCall3"> <source>First statement of this 'Sub New' must be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete.</source> <target state="translated">La primera instrucción de 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque '{0}' en la clase base '{1}' de '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNonObsoleteNewCall4"> <source>First statement of this 'Sub New' must be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La primera instrucción de 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque '{0}' en la clase base '{1}' de '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsTypeArgAccessMismatch7"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of type '{3}' to {4} '{5}'.</source> <target state="translated">'{0}' no puede heredarse de {1} '{2}' porque expande el acceso del tipo '{3}' a {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InheritsTypeArgAccessMismatchOutside5"> <source>'{0}' cannot inherit from {1} '{2}' because it expands the access of type '{3}' outside the assembly.</source> <target state="translated">'{0}' no puede heredarse de {1} '{2}' porque expande el acceso del tipo '{3}' fuera del ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeAccessMismatch3"> <source>Specified access '{0}' for '{1}' does not match the access '{2}' specified on one of its other partial types.</source> <target state="translated">El acceso especificado '{0}' para '{1}' no coincide con el acceso '{2}' especificado en uno de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeBadMustInherit1"> <source>'MustInherit' cannot be specified for partial type '{0}' because it cannot be combined with 'NotInheritable' specified for one of its other partial types.</source> <target state="translated">'No se puede especificar 'MustInherit' para el tipo parcial '{0}' porque no se puede combinar con 'NotInheritable' especificado para uno de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_MustOverOnNotInheritPartClsMem1"> <source>'MustOverride' cannot be specified on this member because it is in a partial type that is declared 'NotInheritable' in another partial definition.</source> <target state="translated">'MustOverride' no se puede especificar en este miembro porque se encuentra en un tipo parcial que se declaró como 'NotInheritable' en otra definición parcial.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseMismatchForPartialClass3"> <source>Base class '{0}' specified for class '{1}' cannot be different from the base class '{2}' of one of its other partial types.</source> <target state="translated">La clase base '{0}' especificada para la clase '{1}' no puede ser distinta de la clase base '{2}' de otro de sus tipos parciales.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeTypeParamNameMismatch3"> <source>Type parameter name '{0}' does not match the name '{1}' of the corresponding type parameter defined on one of the other partial types of '{2}'.</source> <target state="translated">El nombre de parámetro de tipo '{0}' no coincide con el nombre '{1}' del parámetro de tipo correspondiente definido en uno de los otros tipos parciales de '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialTypeConstraintMismatch1"> <source>Constraints for this type parameter do not match the constraints on the corresponding type parameter defined on one of the other partial types of '{0}'.</source> <target state="translated">Las restricciones de este parámetro de tipo no coinciden con las restricciones del parámetro de tipo correspondiente definido en uno de los otros tipos parciales de '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LateBoundOverloadInterfaceCall1"> <source>Late bound overload resolution cannot be applied to '{0}' because the accessing instance is an interface type.</source> <target state="translated">La resolución de sobrecarga enlazada en tiempo de ejecución no se puede aplicar a '{0}' porque la instancia a la que se obtiene acceso es un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredAttributeConstConversion2"> <source>Conversion from '{0}' to '{1}' cannot occur in a constant expression used as an argument to an attribute.</source> <target state="translated">No se puede realizar una conversión de '{0}' a '{1}' en una expresión constante que se usa como argumento de un atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousOverrides3"> <source>Member '{0}' that matches this signature cannot be overridden because the class '{1}' contains multiple members with this same name and signature: {2}</source> <target state="translated">No se puede invalidar el miembro '{0}' que coincide con esta firma porque la clase {1} contiene varios miembros que tienen un nombre y una firma iguales a estos: {2}</target> <note /> </trans-unit> <trans-unit id="ERR_OverriddenCandidate1"> <source> '{0}'</source> <target state="translated"> '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousImplements3"> <source>Member '{0}.{1}' that matches this signature cannot be implemented because the interface '{2}' contains multiple members with this same name and signature: '{3}' '{4}'</source> <target state="translated">No se puede implementar el miembro '{0}.{1}' que coincide con esta firma porque la interfaz '{2}' contiene varios miembros que tienen un nombre y una firma iguales a estos: '{3}' '{4}'</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNotCreatableDelegate1"> <source>'AddressOf' expression cannot be converted to '{0}' because type '{0}' is declared 'MustInherit' and cannot be created.</source> <target state="translated">'La expresión 'AddressOf' no se puede convertir en '{0}' porque el tipo '{0}' se declaró como 'MustInherit' y no se puede crear.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassGenericMethod"> <source>Generic methods cannot be exposed to COM.</source> <target state="translated">Los métodos genéricos no se pueden exponer a COM.</target> <note /> </trans-unit> <trans-unit id="ERR_SyntaxInCastOp"> <source>Syntax error in cast operator; two arguments separated by comma are required.</source> <target state="translated">Error de sintaxis en el operador de conversión; se necesitan dos argumentos separados por coma.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitializerForNonConstDim"> <source>Array initializer cannot be specified for a non constant dimension; use the empty initializer '{}'.</source> <target state="translated">No se puede especificar el inicializador de matriz para una dimensión no constante; use el inicializador vacío '{}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingFailure3"> <source>No accessible method '{0}' has a signature compatible with delegate '{1}':{2}</source> <target state="translated">Ningún método accesible '{0}' tiene una firma compatible con el delegado '{1}':{2}</target> <note /> </trans-unit> <trans-unit id="ERR_StructLayoutAttributeNotAllowed"> <source>Attribute 'StructLayout' cannot be applied to a generic type.</source> <target state="translated">No se puede aplicar el atributo 'StructLayout' a un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_IterationVariableShadowLocal1"> <source>Range variable '{0}' hides a variable in an enclosing block or a range variable previously defined in the query expression.</source> <target state="translated">La variable de rango '{0}' oculta una variable en un bloque envolvente o una variable de rango definida previamente en la expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionInfer"> <source>'Option Infer' can be followed only by 'On' or 'Off'.</source> <target state="translated">'Option Infer' solo puede ir seguido de 'On' u 'Off'.</target> <note /> </trans-unit> <trans-unit id="ERR_CircularInference1"> <source>Type of '{0}' cannot be inferred from an expression containing '{0}'.</source> <target state="translated">No se puede inferir el tipo de '{0}' a partir de una expresión que contenga '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InAccessibleOverridingMethod5"> <source>'{0}' in class '{1}' cannot override '{2}' in class '{3}' because an intermediate class '{4}' overrides '{2}' in class '{3}' but is not accessible.</source> <target state="translated">'El elemento '{0}' de la clase '{1}' no puede invalidar el elemento '{2}' de la clase '{3}' porque una clase '{4}' intermedia invalida '{2}' en la clase '{3}' pero no es accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSuitableWidestType1"> <source>Type of '{0}' cannot be inferred because the loop bounds and the step clause do not convert to the same type.</source> <target state="translated">No se puede inferir el tipo de '{0}' porque los límites del bucle y la cláusula step no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousWidestType3"> <source>Type of '{0}' is ambiguous because the loop bounds and the step clause do not convert to the same type.</source> <target state="translated">El tipo de '{0}' es ambiguo porque los límites del bucle y la cláusula step no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAssignmentOperatorInInit"> <source>'=' expected (object initializer).</source> <target state="translated">'Se esperaba '=' (inicializador de objeto).</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQualifiedNameInInit"> <source>Name of field or property being initialized in an object initializer must start with '.'.</source> <target state="translated">El nombre de un campo o una propiedad que se va a inicializar en un inicializador de objeto debe comenzar con '.'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLbrace"> <source>'{' expected.</source> <target state="translated">'Se esperaba '{'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnrecognizedTypeOrWith"> <source>Type or 'With' expected.</source> <target state="translated">Se esperaba un tipo o 'With'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAggrMemberInit1"> <source>Multiple initializations of '{0}'. Fields and properties can be initialized only once in an object initializer expression.</source> <target state="translated">Hay varias inicializaciones de '{0}'. Los campos y las propiedades solo se pueden inicializar una vez en una expresión de inicializador de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NonFieldPropertyAggrMemberInit1"> <source>Member '{0}' cannot be initialized in an object initializer expression because it is not a field or property.</source> <target state="translated">No se puede inicializar el miembro '{0}' en una expresión de inicializador de objeto porque no es un campo ni una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_SharedMemberAggrMemberInit1"> <source>Member '{0}' cannot be initialized in an object initializer expression because it is shared.</source> <target state="translated">No se puede inicializar el miembro '{0}' en una expresión de inicializador de objeto porque está compartido.</target> <note /> </trans-unit> <trans-unit id="ERR_ParameterizedPropertyInAggrInit1"> <source>Property '{0}' cannot be initialized in an object initializer expression because it requires arguments.</source> <target state="translated">No se puede inicializar la propiedad '{0}' en una expresión de inicializador de objeto porque requiere argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoZeroCountArgumentInitCandidates1"> <source>Property '{0}' cannot be initialized in an object initializer expression because all accessible overloads require arguments.</source> <target state="translated">No se puede inicializar la propiedad '{0}' en una expresión de inicializador de objeto porque todas las sobrecargas accesibles requieren argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_AggrInitInvalidForObject"> <source>Object initializer syntax cannot be used to initialize an instance of 'System.Object'.</source> <target state="translated">No se puede usar la sintaxis de inicializador de objetos para inicializar una instancia de 'System.Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerExpected"> <source>Initializer expected.</source> <target state="translated">Se esperaba un inicializador.</target> <note /> </trans-unit> <trans-unit id="ERR_LineContWithCommentOrNoPrecSpace"> <source>The line continuation character '_' must be preceded by at least one white space and it must be followed by a comment or the '_' must be the last character on the line.</source> <target state="translated">El carácter de continuación de línea "_ " debe ir precedido de al menos un espacio en blanco y debe ir seguido de un comentario o " _" debe ser el último carácter de la línea.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleFile1"> <source>Unable to load module file '{0}': {1}</source> <target state="translated">No se puede cargar el archivo de módulo '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadRefLib1"> <source>Unable to load referenced library '{0}': {1}</source> <target state="translated">No se puede cargar la biblioteca '{0}' a la que se hace referencia: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_EventHandlerSignatureIncompatible2"> <source>Method '{0}' cannot handle event '{1}' because they do not have a compatible signature.</source> <target state="translated">El método '{0}' no puede controlar el evento '{1}' porque no tienen una firma compatible.</target> <note /> </trans-unit> <trans-unit id="ERR_ConditionalCompilationConstantNotValid"> <source>Conditional compilation constant '{1}' is not valid: {0}</source> <target state="translated">La constante de compilación condicional "{1}" no es válida: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwice1"> <source>Interface '{0}' can be implemented only once by this type.</source> <target state="translated">Este tipo solo puede implementar la interfaz '{0}' una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames2"> <source>Interface '{0}' can be implemented only once by this type, but already appears with different tuple element names, as '{1}'.</source> <target state="translated">La interfaz '{0}' solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames3"> <source>Interface '{0}' can be implemented only once by this type, but already appears with different tuple element names, as '{1}' (via '{2}').</source> <target state="translated">La interfaz '{0}' solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}' (a través de '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNamesReverse3"> <source>Interface '{0}' (via '{1}') can be implemented only once by this type, but already appears with different tuple element names, as '{2}'.</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceImplementedTwiceWithDifferentTupleNames4"> <source>Interface '{0}' (via '{1}') can be implemented only once by this type, but already appears with different tuple element names, as '{2}' (via '{3}').</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede implementar una vez por este tipo, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}' (a través de '{3}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames2"> <source>Interface '{0}' can be inherited only once by this interface, but already appears with different tuple element names, as '{1}'.</source> <target state="translated">La interfaz '{0}' solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames3"> <source>Interface '{0}' can be inherited only once by this interface, but already appears with different tuple element names, as '{1}' (via '{2}').</source> <target state="translated">La interfaz '{0}' solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{1}' (a través de '{2}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNamesReverse3"> <source>Interface '{0}' (via '{1}') can be inherited only once by this interface, but already appears with different tuple element names, as '{2}'.</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceInheritedTwiceWithDifferentTupleNames4"> <source>Interface '{0}' (via '{1}') can be inherited only once by this interface, but already appears with different tuple element names, as '{2}' (via '{3}').</source> <target state="translated">La interfaz '{0}' (a través de '{1}') solo se puede heredar una vez por esta interfaz, pero ya aparece con diferentes nombres de elementos de tupla, como '{2}' (a través de '{3}').</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceNotImplemented1"> <source>Interface '{0}' is not implemented by this class.</source> <target state="translated">Esta clase no ha implementado la interfaz '{0}' .</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousImplementsMember3"> <source>'{0}' exists in multiple base interfaces. Use the name of the interface that declares '{0}' in the 'Implements' clause instead of the name of the derived interface.</source> <target state="translated">'{0}' existe en varias interfaces base. Use el nombre de la interfaz que declara '{0}' en la cláusula 'Implements' en lugar del nombre de la interfaz derivada.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsOnNew"> <source>'Sub New' cannot implement interface members.</source> <target state="translated">'Sub New' no puede implementar miembros de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitInStruct"> <source>Arrays declared as structure members cannot be declared with an initial size.</source> <target state="translated">Las matrices declaradas como miembros de estructura no se pueden declarar con un tamaño inicial.</target> <note /> </trans-unit> <trans-unit id="ERR_EventTypeNotDelegate"> <source>Events declared with an 'As' clause must have a delegate type.</source> <target state="translated">Los eventos declarados con una cláusula 'As' deben tener un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_ProtectedTypeOutsideClass"> <source>Protected types can only be declared inside of a class.</source> <target state="translated">Los tipos protegidos solo se pueden declarar dentro de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultPropertyWithNoParams"> <source>Properties with no required parameters cannot be declared 'Default'.</source> <target state="translated">Las propiedades sin parámetros obligatorios no se pueden declarar como 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializerInStruct"> <source>Initializers on structure members are valid only for 'Shared' members and constants.</source> <target state="translated">Los inicializadores en miembros de estructura solo son válidos para las constantes y los miembros 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateImport1"> <source>Namespace or type '{0}' has already been imported.</source> <target state="translated">El espacio de nombres o el tipo '{0}' ya se han importado.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleFlags1"> <source>Modules cannot be declared '{0}'.</source> <target state="translated">Los módulos no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsStmtWrongOrder"> <source>'Implements' statements must follow any 'Inherits' statement and precede all declarations in a class.</source> <target state="translated">'Las instrucciones 'Implements' deben ir detrás de las instrucciones 'Inherits' y delante de todas las declaraciones de una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberClashesWithSynth7"> <source>{0} '{1}' implicitly defines '{2}', which conflicts with a member implicitly declared for {3} '{4}' in {5} '{6}'.</source> <target state="translated">{0} '{1}' define implícitamente '{2}', que entra en conflicto con un miembro declarado implícitamente para {3} '{4}' en {5} '{6}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberClashesWithMember5"> <source>{0} '{1}' implicitly defines '{2}', which conflicts with a member of the same name in {3} '{4}'.</source> <target state="translated">{0} '{1}' define implícitamente '{2}', que entra en conflicto con un miembro del mismo nombre en {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MemberClashesWithSynth6"> <source>{0} '{1}' conflicts with a member implicitly declared for {2} '{3}' in {4} '{5}'.</source> <target state="translated">{0} '{1}' entra en conflicto con un miembro declarado implícitamente para {2} '{3}' en {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeClashesWithVbCoreType4"> <source>{0} '{1}' conflicts with a Visual Basic Runtime {2} '{3}'.</source> <target state="translated">{0} '{1}' entra en conflicto con un {2} '{3}' en tiempo de ejecución de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeMissingAction"> <source>First argument to a security attribute must be a valid SecurityAction.</source> <target state="translated">El primer argumento de un atributo de seguridad debe ser un SecurityAction válido.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidAction"> <source>Security attribute '{0}' has an invalid SecurityAction value '{1}'.</source> <target state="translated">El atributo de seguridad '{0}' tiene un valor '{1}' de SecurityAction no válido.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidActionAssembly"> <source>SecurityAction value '{0}' is invalid for security attributes applied to an assembly.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para los atributos de seguridad aplicados a un ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidActionTypeOrMethod"> <source>SecurityAction value '{0}' is invalid for security attributes applied to a type or a method.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para los atributos de seguridad aplicados a un tipo o método.</target> <note /> </trans-unit> <trans-unit id="ERR_PrincipalPermissionInvalidAction"> <source>SecurityAction value '{0}' is invalid for PrincipalPermission attribute.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido para el atributo PrincipalPermission.</target> <note /> </trans-unit> <trans-unit id="ERR_PermissionSetAttributeInvalidFile"> <source>Unable to resolve file path '{0}' specified for the named argument '{1}' for PermissionSet attribute.</source> <target state="translated">No se puede resolver la ruta de acceso de archivo '{0}' especificada para el argumento con nombre '{1}' para el atributo PermissionSet.</target> <note /> </trans-unit> <trans-unit id="ERR_PermissionSetAttributeFileReadError"> <source>Error reading file '{0}' specified for the named argument '{1}' for PermissionSet attribute: '{2}'.</source> <target state="translated">Error al leer el archivo '{0}' especificado para el argumento con nombre '{1}' para el atributo PermissionSet: '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SetHasOnlyOneParam"> <source>'Set' method cannot have more than one parameter.</source> <target state="translated">'El método 'Set' no puede tener más de un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_SetValueNotPropertyType"> <source>'Set' parameter must have the same type as the containing property.</source> <target state="translated">'El parámetro de 'Set' debe tener el mismo tipo que la propiedad que lo contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_SetHasToBeByVal1"> <source>'Set' parameter cannot be declared '{0}'.</source> <target state="translated">'El parámetro 'Set' no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_StructureCantUseProtected"> <source>Method in a structure cannot be declared 'Protected', 'Protected Friend', or 'Private Protected'.</source> <target state="translated">Un método de una estructura no se puede declarar como "Protected", "Protected Friend" o "Private Protected".</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceDelegateSpecifier1"> <source>Delegate in an interface cannot be declared '{0}'.</source> <target state="translated">Un delegado de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceEnumSpecifier1"> <source>Enum in an interface cannot be declared '{0}'.</source> <target state="translated">Una enumeración de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceClassSpecifier1"> <source>Class in an interface cannot be declared '{0}'.</source> <target state="translated">Una clase de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceStructSpecifier1"> <source>Structure in an interface cannot be declared '{0}'.</source> <target state="translated">Una estructura de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadInterfaceInterfaceSpecifier1"> <source>Interface in an interface cannot be declared '{0}'.</source> <target state="translated">Una interfaz de una interfaz no se puede declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfObsoleteSymbolNoMessage1"> <source>'{0}' is obsolete.</source> <target state="translated">'{0}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="ERR_MetaDataIsNotAssembly"> <source>'{0}' is a module and cannot be referenced as an assembly.</source> <target state="translated">'{0}' es un módulo y no se puede hacer referencia a él como ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_MetaDataIsNotModule"> <source>'{0}' is an assembly and cannot be referenced as a module.</source> <target state="translated">'{0}' es un ensamblado y no se puede hacer referencia a él como módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_ReferenceComparison3"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'. Use 'Is' operator to compare two reference types.</source> <target state="translated">El operador '{0}' no está definido para los tipos '{1}' y '{2}'. Use el operador 'Is' para comparar dos tipos de referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_CatchVariableNotLocal1"> <source>'{0}' is not a local variable or parameter, and so cannot be used as a 'Catch' variable.</source> <target state="translated">'{0}' no es una variable local ni un parámetro y, por tanto, no se puede usar como variable 'Catch'.</target> <note /> </trans-unit> <trans-unit id="ERR_ModuleMemberCantImplement"> <source>Members in a Module cannot implement interface members.</source> <target state="translated">Los miembros de un módulo no pueden implementar miembros de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_EventDelegatesCantBeFunctions"> <source>Events cannot be declared with a delegate type that has a return type.</source> <target state="translated">Los eventos no se pueden declarar con un tipo delegado que tenga un tipo de valor devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDate"> <source>Date constant is not valid.</source> <target state="translated">La constante de fecha no es válida.</target> <note /> </trans-unit> <trans-unit id="ERR_CantOverride4"> <source>'{0}' cannot override '{1}' because it is not declared 'Overridable'.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque no está declarado como 'Overridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyArraysOnBoth"> <source>Array modifiers cannot be specified on both a variable and its type.</source> <target state="translated">No se pueden especificar los modificadores de matriz en una variable y en su tipo al mismo tiempo.</target> <note /> </trans-unit> <trans-unit id="ERR_NotOverridableRequiresOverrides"> <source>'NotOverridable' cannot be specified for methods that do not override another method.</source> <target state="translated">'NotOverridable' no se puede especificar para métodos que no invalidan otro método.</target> <note /> </trans-unit> <trans-unit id="ERR_PrivateTypeOutsideType"> <source>Types declared 'Private' must be inside another type.</source> <target state="translated">Los tipos declarados como 'Private' deben estar dentro de otro tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeRefResolutionError3"> <source>Import of type '{0}' from assembly or module '{1}' failed.</source> <target state="translated">Error al importar el tipo '{0}' del ensamblado o módulo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ValueTupleTypeRefResolutionError1"> <source>Predefined type '{0}' is not defined or imported.</source> <target state="translated">El tipo predefinido '{0}' no está definido o importado.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayWrongType"> <source>ParamArray parameters must have an array type.</source> <target state="translated">Los parámetros ParamArray deben tener un tipo de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_CoClassMissing2"> <source>Implementing class '{0}' for interface '{1}' cannot be found.</source> <target state="translated">No se encontró la clase '{0}' que realiza la implementación para la interfaz '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidCoClass1"> <source>Type '{0}' cannot be used as an implementing class.</source> <target state="translated">El tipo '{0}' no se puede usar como clase de implementación.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidMeReference"> <source>Reference to object under construction is not valid when calling another constructor.</source> <target state="translated">La referencia a un objeto en construcción no es válida mientras se llama a otro constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplicitMeReference"> <source>Implicit reference to object under construction is not valid when calling another constructor.</source> <target state="translated">La referencia implícita a un objeto en construcción no es válida mientras se llama a otro constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_RuntimeMemberNotFound2"> <source>Member '{0}' cannot be found in class '{1}'. This condition is usually the result of a mismatched 'Microsoft.VisualBasic.dll'.</source> <target state="translated">No se encuentra el miembro '{0}' en la clase '{1}'. Este problema suele ser el resultado de un 'Microsoft.VisualBasic.dll' no coincidente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags"> <source>Property accessors cannot be declared '{0}'.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlagsRestrict"> <source>Access modifier '{0}' is not valid. The access modifier of 'Get' and 'Set' should be more restrictive than the property access level.</source> <target state="translated">El modificador de acceso '{0}' no es válido. El modificador de acceso de 'Get' y 'Set' debe ser más restrictivo que el nivel de acceso de la propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOneAccessorForGetSet"> <source>Access modifier can only be applied to either 'Get' or 'Set', but not both.</source> <target state="translated">El modificador de acceso solo se puede aplicar a 'Get' o 'Set', no a ambos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleSet"> <source>'Set' accessor of property '{0}' is not accessible.</source> <target state="translated">'No se puede tener acceso al descriptor de acceso 'Set' de la propiedad '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleGet"> <source>'Get' accessor of property '{0}' is not accessible.</source> <target state="translated">'No se puede tener acceso al descriptor de acceso 'Get' de la propiedad '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_WriteOnlyNoAccessorFlag"> <source>'WriteOnly' properties cannot have an access modifier on 'Set'.</source> <target state="translated">'Las propiedades 'WriteOnly' no pueden tener un modificador de acceso en 'Set'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyNoAccessorFlag"> <source>'ReadOnly' properties cannot have an access modifier on 'Get'.</source> <target state="translated">'Las propiedades 'ReadOnly' no pueden tener un modificador de acceso en 'Get'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags1"> <source>Property accessors cannot be declared '{0}' in a 'NotOverridable' property.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}' en una propiedad 'NotOverridable'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags2"> <source>Property accessors cannot be declared '{0}' in a 'Default' property.</source> <target state="translated">Los descriptores de acceso de la propiedad no se pueden declarar como '{0}' en una propiedad 'Default'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPropertyAccessorFlags3"> <source>Property cannot be declared '{0}' because it contains a 'Private' accessor.</source> <target state="translated">La propiedad no se puede declarar como '{0}' porque contiene un descriptor de acceso 'Private'.</target> <note /> </trans-unit> <trans-unit id="ERR_InAccessibleCoClass3"> <source>Implementing class '{0}' for interface '{1}' is not accessible in this context because it is '{2}'.</source> <target state="translated">No se puede obtener acceso a la clase de implementación '{0}' de la interfaz '{1}' en este contexto porque es '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingValuesForArraysInApplAttrs"> <source>Arrays used as attribute arguments are required to explicitly specify values for all elements.</source> <target state="translated">Las matrices usadas como argumentos de atributo son necesarias para especificar explícitamente los valores de todos los elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitEventMemberNotInvalid"> <source>'Exit AddHandler', 'Exit RemoveHandler' and 'Exit RaiseEvent' are not valid. Use 'Return' to exit from event members.</source> <target state="translated">'Exit AddHandler', 'Exit RemoveHandler' y 'Exit RaiseEvent' no son válidos. Use 'Return' para salir de los miembros de evento.</target> <note /> </trans-unit> <trans-unit id="ERR_InvInsideEndsEvent"> <source>Statement cannot appear within an event body. End of event assumed.</source> <target state="translated">La instrucción no puede aparecer en el cuerpo de un evento. Se supone el final del evento.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndEvent"> <source>'Custom Event' must end with a matching 'End Event'.</source> <target state="translated">'Custom Event' debe terminar con una declaración 'End Event' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndAddHandler"> <source>'AddHandler' declaration must end with a matching 'End AddHandler'.</source> <target state="translated">'La declaración 'AddHandler' debe terminar con una declaración 'End AddHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndRemoveHandler"> <source>'RemoveHandler' declaration must end with a matching 'End RemoveHandler'.</source> <target state="translated">'La declaración 'RemoveHandler' debe terminar con una declaración 'End RemoveHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingEndRaiseEvent"> <source>'RaiseEvent' declaration must end with a matching 'End RaiseEvent'.</source> <target state="translated">'La declaración 'RaiseEvent' debe terminar con una declaración 'End RaiseEvent' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CustomEventInvInInterface"> <source>'Custom' modifier is not valid on events declared in interfaces.</source> <target state="translated">'El modificador 'Custom' no es válido en los eventos declarados en interfaces.</target> <note /> </trans-unit> <trans-unit id="ERR_CustomEventRequiresAs"> <source>'Custom' modifier is not valid on events declared without explicit delegate types.</source> <target state="translated">'El modificador 'Custom' no es válido en los eventos declarados sin tipos delegados explícitos.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndEvent"> <source>'End Event' must be preceded by a matching 'Custom Event'.</source> <target state="translated">'End Event' debe ir precedida de una declaración 'Custom Event' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndAddHandler"> <source>'End AddHandler' must be preceded by a matching 'AddHandler' declaration.</source> <target state="translated">'End AddHandler' debe ir precedida de una declaración 'AddHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndRemoveHandler"> <source>'End RemoveHandler' must be preceded by a matching 'RemoveHandler' declaration.</source> <target state="translated">'End RemoveHandler' debe ir precedida de una declaración 'RemoveHandler' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndRaiseEvent"> <source>'End RaiseEvent' must be preceded by a matching 'RaiseEvent' declaration.</source> <target state="translated">'End RaiseEvent' debe ir precedida de una declaración 'RaiseEvent' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAddHandlerDef"> <source>'AddHandler' is already declared.</source> <target state="translated">'Ya se declaró 'AddHandler'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRemoveHandlerDef"> <source>'RemoveHandler' is already declared.</source> <target state="translated">'Ya se declaró 'RemoveHandler'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRaiseEventDef"> <source>'RaiseEvent' is already declared.</source> <target state="translated">'Ya se declaró 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingAddHandlerDef1"> <source>'AddHandler' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'AddHandler' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRemoveHandlerDef1"> <source>'RemoveHandler' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'RemoveHandler' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRaiseEventDef1"> <source>'RaiseEvent' definition missing for event '{0}'.</source> <target state="translated">'Falta la definición de 'RaiseEvent' para el evento '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventAddRemoveHasOnlyOneParam"> <source>'AddHandler' and 'RemoveHandler' methods must have exactly one parameter.</source> <target state="translated">'Los métodos 'AddHandler' y 'RemoveHandler' deben tener exactamente un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_EventAddRemoveByrefParamIllegal"> <source>'AddHandler' and 'RemoveHandler' method parameters cannot be declared 'ByRef'.</source> <target state="translated">'Los parámetros de método 'AddHandler' y 'RemoveHandler' no se pueden declarar como 'ByRef'.</target> <note /> </trans-unit> <trans-unit id="ERR_SpecifiersInvOnEventMethod"> <source>Specifiers are not valid on 'AddHandler', 'RemoveHandler' and 'RaiseEvent' methods.</source> <target state="translated">Los especificadores no son válidos en los métodos 'AddHandler', 'RemoveHandler' y 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddRemoveParamNotEventType"> <source>'AddHandler' and 'RemoveHandler' method parameters must have the same delegate type as the containing event.</source> <target state="translated">'Los parámetros de método 'AddHandler' y 'RemoveHandler' deben tener el mismo tipo delegado que el evento que los contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_RaiseEventShapeMismatch1"> <source>'RaiseEvent' method must have the same signature as the containing event's delegate type '{0}'.</source> <target state="translated">'El método 'RaiseEvent' debe tener la misma firma que el tipo delegado '{0}' del evento que lo contiene.</target> <note /> </trans-unit> <trans-unit id="ERR_EventMethodOptionalParamIllegal1"> <source>'AddHandler', 'RemoveHandler' and 'RaiseEvent' method parameters cannot be declared '{0}'.</source> <target state="translated">'Los parámetros de método 'AddHandler', 'RemoveHandler' y 'RaiseEvent' no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantReferToMyGroupInsideGroupType1"> <source>'{0}' cannot refer to itself through its default instance; use 'Me' instead.</source> <target state="translated">'{0}' no puede hacer referencia a sí mismo a través de su instancia predeterminada; use 'Me' en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidUseOfCustomModifier"> <source>'Custom' modifier can only be used immediately before an 'Event' declaration.</source> <target state="translated">'El modificador 'Custom' solo se puede usar inmediatamente antes de una declaración 'Event'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOptionStrictCustom"> <source>Option Strict Custom can only be used as an option to the command-line compiler (vbc.exe).</source> <target state="translated">Option Strict Custom solo se puede usar como una opción del compilador de la línea de comandos (vbc.exe).</target> <note /> </trans-unit> <trans-unit id="ERR_ObsoleteInvalidOnEventMember"> <source>'{0}' cannot be applied to the 'AddHandler', 'RemoveHandler', or 'RaiseEvent' definitions. If required, apply the attribute directly to the event.</source> <target state="translated">'{0}' no se puede aplicar a las definiciones de 'AddHandler', 'RemoveHandler' o 'RaiseEvent'. Si es necesario, aplique el atributo directamente al evento.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingIncompatible2"> <source>Method '{0}' does not have a signature compatible with delegate '{1}'.</source> <target state="translated">El método '{0}' no tiene una firma compatible con el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlName"> <source>XML name expected.</source> <target state="translated">Se esperaba un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedXmlPrefix"> <source>XML namespace prefix '{0}' is not defined.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML no está definido.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateXmlAttribute"> <source>Duplicate XML attribute '{0}'.</source> <target state="translated">Atributo XML '{0}' duplicado.</target> <note /> </trans-unit> <trans-unit id="ERR_MismatchedXmlEndTag"> <source>End tag &lt;/{0}{1}{2}&gt; expected.</source> <target state="translated">Se esperaba la etiqueta de cierre &lt;/{0}{1}{2}&gt;.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingXmlEndTag"> <source>Element is missing an end tag.</source> <target state="translated">Falta una etiqueta de cierre en el elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedXmlPrefix"> <source>XML namespace prefix '{0}' is reserved for use by XML and the namespace URI cannot be changed.</source> <target state="translated">El prefijo '{0}' del espacio de nombres XML está reservado para uso de XML y el URI del espacio de nombres no se puede cambiar.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingVersionInXmlDecl"> <source>Required attribute 'version' missing from XML declaration.</source> <target state="translated">Falta el atributo 'version' necesario en una declaración XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalAttributeInXmlDecl"> <source>XML declaration does not allow attribute '{0}{1}{2}'.</source> <target state="translated">Una declaración XML no permite el atributo '{0}{1}{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_QuotedEmbeddedExpression"> <source>Embedded expression cannot appear inside a quoted attribute value. Try removing quotes.</source> <target state="translated">Una expresión incrustada no puede aparecer dentro de un valor de atributo entrecomillado. Pruebe a quitar las comillas.</target> <note /> </trans-unit> <trans-unit id="ERR_VersionMustBeFirstInXmlDecl"> <source>XML attribute 'version' must be the first attribute in XML declaration.</source> <target state="translated">El atributo XML 'version' debe ser el primer atributo en una declaración XML.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeOrder"> <source>XML attribute '{0}' must appear before XML attribute '{1}'.</source> <target state="translated">El atributo XML '{0}' debe aparecer antes del atributo XML '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndEmbedded"> <source>Expected closing '%&gt;' for embedded expression.</source> <target state="translated">Se esperaba el cierre '%&gt;' para la expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndPI"> <source>Expected closing '?&gt;' for XML processor instruction.</source> <target state="translated">Se esperaba el cierre '?&gt;' para la instrucción del procesador XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndComment"> <source>Expected closing '--&gt;' for XML comment.</source> <target state="translated">Se esperaba el cierre '--&gt;' para el comentario XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlEndCData"> <source>Expected closing ']]&gt;' for XML CDATA section.</source> <target state="translated">Se esperaba el cierre ']]&gt;' para la sección XML CDATA.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSQuote"> <source>Expected matching closing single quote for XML attribute value.</source> <target state="translated">Se esperaba la comilla simple de cierre para el valor de atributo XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQuote"> <source>Expected matching closing double quote for XML attribute value.</source> <target state="translated">Se esperaban las comillas dobles de cierre para el valor de atributo XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedLT"> <source>Expected beginning '&lt;' for an XML tag.</source> <target state="translated">Se esperaba la apertura '&lt;' para una etiqueta XML.</target> <note /> </trans-unit> <trans-unit id="ERR_StartAttributeValue"> <source>Expected quoted XML attribute value or embedded expression.</source> <target state="translated">Se esperaba una expresión incrustada o un valor de atributo XML entrecomillado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDiv"> <source>Expected '/' for XML end tag.</source> <target state="translated">Se esperaba '/' para la etiqueta de cierre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_NoXmlAxesLateBinding"> <source>XML axis properties do not support late binding.</source> <target state="translated">Las propiedades del eje XML no admiten enlace en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlStartNameChar"> <source>Character '{0}' ({1}) is not allowed at the beginning of an XML name.</source> <target state="translated">No se permite el carácter '{0}' ({1}) al principio de un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlNameChar"> <source>Character '{0}' ({1}) is not allowed in an XML name.</source> <target state="translated">No se permite el carácter '{0}' ({1}) en un nombre XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlCommentChar"> <source>Character sequence '--' is not allowed in an XML comment.</source> <target state="translated">No se permite la secuencia de caracteres '--' en un comentario XML.</target> <note /> </trans-unit> <trans-unit id="ERR_EmbeddedExpression"> <source>An embedded expression cannot be used here.</source> <target state="translated">Aquí no se puede usar una expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlWhiteSpace"> <source>Missing required white space.</source> <target state="translated">Falta un espacio en blanco requerido.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalProcessingInstructionName"> <source>XML processing instruction name '{0}' is not valid.</source> <target state="translated">El nombre de la instrucción de procesamiento XML '{0}' no es válido.</target> <note /> </trans-unit> <trans-unit id="ERR_DTDNotSupported"> <source>XML DTDs are not supported.</source> <target state="translated">No se admiten DTD XML.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlWhiteSpace"> <source>White space cannot appear here.</source> <target state="translated">Aquí no puede aparecer un espacio en blanco.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSColon"> <source>Expected closing ';' for XML entity.</source> <target state="translated">Se esperaba el cierre ';' para la entidad XML.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlBeginEmbedded"> <source>Expected '%=' at start of an embedded expression.</source> <target state="translated">Se esperaba '%=' al principio de una expresión incrustada.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEntityReference"> <source>XML entity references are not supported.</source> <target state="translated">No se admiten referencias de entidad XML.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeValue1"> <source>Attribute value is not valid; expecting '{0}'.</source> <target state="translated">El valor del atributo no es válido; se espera '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAttributeValue2"> <source>Attribute value is not valid; expecting '{0}' or '{1}'.</source> <target state="translated">El valor del atributo no es válido; se espera '{0}' o '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedXmlNamespace"> <source>Prefix '{0}' cannot be bound to namespace name reserved for '{1}'.</source> <target state="translated">El prefijo '{0}' no se puede enlazar al nombre de un espacio de nombres reservado para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalDefaultNamespace"> <source>Namespace declaration with prefix cannot have an empty value inside an XML literal.</source> <target state="translated">Una declaración de espacio de nombres con prefijo no puede tener un valor vacío en un literal XML.</target> <note /> </trans-unit> <trans-unit id="ERR_QualifiedNameNotAllowed"> <source>':' is not allowed. XML qualified names cannot be used in this context.</source> <target state="translated">'No se permite ':'. No se pueden usar nombres XML completos en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedXmlns"> <source>Namespace declaration must start with 'xmlns'.</source> <target state="translated">Una declaración de espacio de nombres debe comenzar con 'xmlns'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalXmlnsPrefix"> <source>Element names cannot use the 'xmlns' prefix.</source> <target state="translated">Los nombres de elemento no pueden usar el prefijo 'xmlns'.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlFeaturesNotAvailable"> <source>XML literals and XML axis properties are not available. Add references to System.Xml, System.Xml.Linq, and System.Core or other assemblies declaring System.Linq.Enumerable, System.Xml.Linq.XElement, System.Xml.Linq.XName, System.Xml.Linq.XAttribute and System.Xml.Linq.XNamespace types.</source> <target state="translated">No hay literales XML ni propiedades de eje XML disponibles. Agregue referencias a System.Xml, System.Xml.Linq, and System.Core u otros ensamblados que declaren tipos System.Linq.Enumerable, System.Xml.Linq.XElement, System.Xml.Linq.XName, System.Xml.Linq.XAttribute y System.Xml.Linq.XNamespace.</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToReadUacManifest2"> <source>Unable to open Win32 manifest file '{0}' : {1}</source> <target state="translated">No se puede abrir el archivo de manifiesto de Win32 '{0}' : {1}</target> <note /> </trans-unit> <trans-unit id="WRN_UseValueForXmlExpression3"> <source>Cannot convert '{0}' to '{1}'. You can use the 'Value' property to get the string value of the first element of '{2}'.</source> <target state="translated">No se puede convertir '{0}' en '{1}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseValueForXmlExpression3_Title"> <source>Cannot convert IEnumerable(Of XElement) to String</source> <target state="translated">No se puede convertir IEnumerable(Of XElement) en una cadena</target> <note /> </trans-unit> <trans-unit id="ERR_TypeMismatchForXml3"> <source>Value of type '{0}' cannot be converted to '{1}'. You can use the 'Value' property to get the string value of the first element of '{2}'.</source> <target state="translated">El valor de tipo '{0}' no se puede convertir en '{1}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryOperandsForXml4"> <source>Operator '{0}' is not defined for types '{1}' and '{2}'. You can use the 'Value' property to get the string value of the first element of '{3}'.</source> <target state="translated">El operador '{0}' no está definido por los tipos '{1}' y '{2}'. Use la propiedad 'Value' para obtener el valor de cadena del primer elemento de '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_FullWidthAsXmlDelimiter"> <source>Full width characters are not valid as XML delimiters.</source> <target state="translated">No se pueden usar caracteres de ancho completo como delimitadores XML.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSubsystemVersion"> <source>The value '{0}' is not a valid subsystem version. The version must be 6.02 or greater for ARM or AppContainerExe, and 4.00 or greater otherwise.</source> <target state="translated">El valor '{0}' no es una versión de subsistema válida. La versión debe ser 6.02 o posterior para ARM o AppContainerExe, y 4.00 o posterior de lo contrario.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFileAlignment"> <source>Invalid file section alignment '{0}'</source> <target state="translated">Alineación de sección de archivo no válida "{0}"</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidOutputName"> <source>Invalid output name: {0}</source> <target state="translated">Nombre de archivo salida no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDebugInformationFormat"> <source>Invalid debug information format: {0}</source> <target state="translated">Formato de la información de depuración no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_LibAnycpu32bitPreferredConflict"> <source>/platform:anycpu32bitpreferred can only be used with /t:exe, /t:winexe and /t:appcontainerexe.</source> <target state="translated">/platform:anycpu32bitpreferred solamente se puede usar con /t:exe, /t:winexe y /t:appcontainerexe.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedAccess"> <source>Expression has the type '{0}' which is a restricted type and cannot be used to access members inherited from 'Object' or 'ValueType'.</source> <target state="translated">La expresión tiene el tipo '{0}' que es un tipo restringido y no se puede usar para obtener acceso a miembros heredados de 'Object' o 'ValueType'.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedConversion1"> <source>Expression of type '{0}' cannot be converted to 'Object' or 'ValueType'.</source> <target state="translated">No se puede convertir la expresión de tipo '{0}' en 'Object' o 'ValueType'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypecharInLabel"> <source>Type characters are not allowed in label identifiers.</source> <target state="translated">Los caracteres de tipo no se permiten en identificadores de etiqueta.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedType1"> <source>'{0}' cannot be made nullable, and cannot be used as the data type of an array element, field, anonymous type member, type argument, 'ByRef' parameter, or return statement.</source> <target state="translated">No se puede hacer que "{0}" admita valores NULL y no se puede usar como tipo de datos de un elemento de matriz, campo, miembro de tipo anónimo, argumento de tipo, parámetro "ByRef" o instrucción "return".</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypecharInAlias"> <source>Type characters are not allowed on Imports aliases.</source> <target state="translated">No se permiten los caracteres de tipo en los alias de importación.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAccessibleConstructorOnBase"> <source>Class '{0}' has no accessible 'Sub New' and cannot be inherited.</source> <target state="translated">La clase '{0}' no tiene un 'Sub New' accesible y no se puede heredar.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticLocalInStruct"> <source>Local variables within methods of structures cannot be declared 'Static'.</source> <target state="translated">Las variables locales que se encuentran dentro de métodos de estructuras no se pueden declarar como 'Static'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocalStatic1"> <source>Static local variable '{0}' is already declared.</source> <target state="translated">La variable local estática '{0}' ya se ha declarado.</target> <note /> </trans-unit> <trans-unit id="ERR_ImportAliasConflictsWithType2"> <source>Imports alias '{0}' conflicts with '{1}' declared in the root namespace.</source> <target state="translated">El alias '{0}' de Imports entra en conflicto con '{1}', declarado en el espacio de nombres de la raíz.</target> <note /> </trans-unit> <trans-unit id="ERR_CantShadowAMustOverride1"> <source>'{0}' cannot shadow a method declared 'MustOverride'.</source> <target state="translated">'{0}' no puede prevalecer sobre un método declarado como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleEventImplMismatch3"> <source>Event '{0}' cannot implement event '{2}.{1}' because its delegate type does not match the delegate type of another event implemented by '{0}'.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{2}.{1}' porque su tipo delegado no coincide con el tipo delegado de otro evento implementado por '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadSpecifierCombo2"> <source>'{0}' and '{1}' cannot be combined.</source> <target state="translated">'{0}' y '{1}' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_MustBeOverloads2"> <source>{0} '{1}' must be declared 'Overloads' because another '{1}' is declared 'Overloads' or 'Overrides'.</source> <target state="translated">{0} '{1}' se debe declarar como 'Overloads' porque otro '{1}' está declarado como 'Overloads' u 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="ERR_MustOverridesInClass1"> <source>'{0}' must be declared 'MustInherit' because it contains methods declared 'MustOverride'.</source> <target state="translated">'{0}' se debe declarar como 'MustInherit' debido a que contiene métodos declarados como 'MustOverride'.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesSyntaxInClass"> <source>'Handles' in classes must specify a 'WithEvents' variable, 'MyBase', 'MyClass' or 'Me' qualified with a single identifier.</source> <target state="translated">'Handles' debe especificar una variable 'WithEvents', 'MyBase', 'MyClass' o 'Me' calificada con un solo identificador cuando aparece en clases.</target> <note /> </trans-unit> <trans-unit id="ERR_SynthMemberShadowsMustOverride5"> <source>'{0}', implicitly declared for {1} '{2}', cannot shadow a 'MustOverride' method in the base {3} '{4}'.</source> <target state="translated">'{0}', declarado implícitamente para {1} '{2}', no puede prevalecer sobre un método 'MustOverride' en la base {3} '{4}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotOverrideInAccessibleMember"> <source>'{0}' cannot override '{1}' because it is not accessible in this context.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque no es accesible en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesSyntaxInModule"> <source>'Handles' in modules must specify a 'WithEvents' variable qualified with a single identifier.</source> <target state="translated">'Handles' debe especificar una variable 'WithEvents' calificada con un identificador único cuando aparece en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOpRequiresReferenceTypes1"> <source>'IsNot' requires operands that have reference types, but this operand has the value type '{0}'.</source> <target state="translated">'IsNot' requiere operandos que tengan tipos de referencia, pero este operando tiene el tipo de valor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ClashWithReservedEnumMember1"> <source>'{0}' conflicts with the reserved member by this name that is implicitly declared in all enums.</source> <target state="translated">'{0}' entra en conflicto con el miembro reservado por este nombre que está declarado implícitamente en todas las enumeraciones.</target> <note /> </trans-unit> <trans-unit id="ERR_MultiplyDefinedEnumMember2"> <source>'{0}' is already declared in this {1}.</source> <target state="translated">'{0}' ya está declarado en esta {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadUseOfVoid"> <source>'System.Void' can only be used in a GetType expression.</source> <target state="translated">'System.Void' solo se puede usar en una expresión GetType.</target> <note /> </trans-unit> <trans-unit id="ERR_EventImplMismatch5"> <source>Event '{0}' cannot implement event '{1}' on interface '{2}' because their delegate types '{3}' and '{4}' do not match.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{1}' en la interfaz '{2}' porque sus tipos delegados '{3}' y '{4}' no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeUnavailable3"> <source>Type '{0}' in assembly '{1}' has been forwarded to assembly '{2}'. Either a reference to '{2}' is missing from your project or the type '{0}' is missing from assembly '{2}'.</source> <target state="translated">El tipo '{0}' del ensamblado '{1}' se reenvió al ensamblado '{2}'. Falta una referencia a '{2}' en el proyecto o falta el tipo '{0}' en el ensamblado '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeFwdCycle2"> <source>'{0}' in assembly '{1}' has been forwarded to itself and so is an unsupported type.</source> <target state="translated">'{0}' del ensamblado '{1}' se ha reenviado a sí mismo y, por tanto, no es un tipo admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeInCCExpression"> <source>Non-intrinsic type names are not allowed in conditional compilation expressions.</source> <target state="translated">No se permiten nombres de tipo no intrínseco en las expresiones de compilación condicional.</target> <note /> </trans-unit> <trans-unit id="ERR_BadCCExpression"> <source>Syntax error in conditional compilation expression.</source> <target state="translated">Error de sintaxis de la expresión de compilación condicional.</target> <note /> </trans-unit> <trans-unit id="ERR_VoidArrayDisallowed"> <source>Arrays of type 'System.Void' are not allowed in this expression.</source> <target state="translated">Esta expresión no permite matrices de tipo 'System.Void'.</target> <note /> </trans-unit> <trans-unit id="ERR_MetadataMembersAmbiguous3"> <source>'{0}' is ambiguous because multiple kinds of members with this name exist in {1} '{2}'.</source> <target state="translated">'{0}' es ambiguo porque existen varios tipos de miembros con este nombre en {1} '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOfExprAlwaysFalse2"> <source>Expression of type '{0}' can never be of type '{1}'.</source> <target state="translated">La expresión de tipo '{0}' nunca puede ser del tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyPrivatePartialMethods1"> <source>Partial methods must be declared 'Private' instead of '{0}'.</source> <target state="translated">Los métodos parciales deben declararse como 'Private' en lugar de como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustBePrivate"> <source>Partial methods must be declared 'Private'.</source> <target state="translated">Los métodos parciales deben declararse como 'Private'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOnePartialMethodAllowed2"> <source>Method '{0}' cannot be declared 'Partial' because only one method '{1}' can be marked 'Partial'.</source> <target state="translated">El método '{0}' no se puede declarar como 'Partial' porque solo puede haber un método '{1}' marcado como 'Partial'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyOneImplementingMethodAllowed3"> <source>Method '{0}' cannot implement partial method '{1}' because '{2}' already implements it. Only one method can implement a partial method.</source> <target state="translated">El método '{0}' no puede implementar el método parcial '{1}' porque '{2}' ya lo implementa. Solo un método puede implementar un método parcial.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodMustBeEmpty"> <source>Partial methods must have empty method bodies.</source> <target state="translated">Los métodos parciales deben tener cuerpos de método vacíos.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustBeSub1"> <source>'{0}' cannot be declared 'Partial' because partial methods must be Subs.</source> <target state="translated">'{0}' no se puede declarar como 'Partial' porque los métodos parciales deben ser Subs.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodGenericConstraints2"> <source>Method '{0}' does not have the same generic constraints as the partial method '{1}'.</source> <target state="translated">El método '{0}' no tiene las mismas restricciones genéricas que el método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialDeclarationImplements1"> <source>Partial method '{0}' cannot use the 'Implements' keyword.</source> <target state="translated">El método parcial '{0}' no puede usar la palabra clave 'Implements'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoPartialMethodInAddressOf1"> <source>'AddressOf' cannot be applied to '{0}' because '{0}' is a partial method without an implementation.</source> <target state="translated">'AddressOf' no se puede aplicar a '{0}' porque '{0}' es un método parcial sin implementación.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementationMustBePrivate2"> <source>Method '{0}' must be declared 'Private' in order to implement partial method '{1}'.</source> <target state="translated">El método '{0}' se debe declarar como 'Private' para poder implementar el método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodParamNamesMustMatch3"> <source>Parameter name '{0}' does not match the name of the corresponding parameter, '{1}', defined on the partial method declaration '{2}'.</source> <target state="translated">El nombre de parámetro '{0}' no coincide con el nombre del parámetro correspondiente, '{1}', definido en la declaración de método parcial '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodTypeParamNameMismatch3"> <source>Name of type parameter '{0}' does not match '{1}', the corresponding type parameter defined on the partial method declaration '{2}'.</source> <target state="translated">El nombre del parámetro de tipo '{0}' no coincide con '{1}', que es el parámetro de tipo correspondiente definido en la declaración del método parcial '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeSharedProperty1"> <source>'Shared' attribute property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad de atributo 'Shared' '{0}' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeReadOnlyProperty1"> <source>'ReadOnly' attribute property '{0}' cannot be the target of an assignment.</source> <target state="translated">'La propiedad de atributo 'ReadOnly' '{0}' no puede ser el destino de una asignación.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateResourceName1"> <source>Resource name '{0}' cannot be used more than once.</source> <target state="translated">El nombre de recurso '{0}' no se puede usar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateResourceFileName1"> <source>Each linked resource and module must have a unique filename. Filename '{0}' is specified more than once in this assembly.</source> <target state="translated">Todos los recursos y módulos vinculados deben tener un nombre de archivo único. El nombre de archivo '{0}' se ha especificado más de una vez en este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeMustBeClassNotStruct1"> <source>'{0}' cannot be used as an attribute because it is not a class.</source> <target state="translated">'{0}' no se puede usar como atributo porque no es una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeMustInheritSysAttr"> <source>'{0}' cannot be used as an attribute because it does not inherit from 'System.Attribute'.</source> <target state="translated">'{0}' no se puede usar como atributo porque no se hereda de 'System.Attribute'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeCannotBeAbstract"> <source>'{0}' cannot be used as an attribute because it is declared 'MustInherit'.</source> <target state="translated">'{0}' no se puede usar como atributo porque se ha declarado como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnableToOpenResourceFile1"> <source>Unable to open resource file '{0}': {1}</source> <target state="translated">No se puede abrir el archivo de recursos '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicProperty1"> <source>Attribute member '{0}' cannot be the target of an assignment because it is not declared 'Public'.</source> <target state="translated">El miembro de atributo '{0}' no puede ser el destino de una asignación porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_STAThreadAndMTAThread0"> <source>'System.STAThreadAttribute' and 'System.MTAThreadAttribute' cannot both be applied to the same method.</source> <target state="translated">'System.STAThreadAttribute' y 'System.MTAThreadAttribute' no se pueden aplicar a la vez al mismo método.</target> <note /> </trans-unit> <trans-unit id="ERR_IndirectUnreferencedAssembly4"> <source>Project '{0}' makes an indirect reference to assembly '{1}', which contains '{2}'. Add a file reference to '{3}' to your project.</source> <target state="translated">El proyecto '{0}' hace una referencia indirecta al ensamblado '{1}', que contiene '{2}'. Agregue una referencia de archivo a '{3}' a su proyecto.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicType1"> <source>Type '{0}' cannot be used in an attribute because it is not declared 'Public'.</source> <target state="translated">No se puede usar el tipo '{0}' en un atributo porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeNonPublicContType2"> <source>Type '{0}' cannot be used in an attribute because its container '{1}' is not declared 'Public'.</source> <target state="translated">No se puede usar el tipo '{0}' en un atributo porque su contenedor '{1}' no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnNonEmptySubOrFunction"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Sub, Function, or Operator with a non-empty body.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Sub, Function u Operator con un cuerpo no vacío.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnDeclare"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Declare.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Declare.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnGetOrSet"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a Get or Set.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a Get o Set.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnGenericSubOrFunction"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to a method that is generic or contained in a generic type.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método que es genérico o está contenido en un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassOnGeneric"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to a class that is generic or contained inside a generic type.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a una clase genérica o contenida dentro de un tipo genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnInstanceMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to instance method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método de instancia.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnInterfaceMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to interface methods.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a métodos de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportNotLegalOnEventMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to 'AddHandler', 'RemoveHandler' or 'RaiseEvent' method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a los métodos 'AddHandler', 'RemoveHandler' o 'RaiseEvent'.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyBadArguments"> <source>Friend assembly reference '{0}' is invalid. InternalsVisibleTo declarations cannot have a version, culture, public key token, or processor architecture specified.</source> <target state="translated">La referencia de ensamblado de confianza '{0}' no es válida. Las declaraciones InternalsVisibleTo no pueden tener especificada una versión, una referencia cultural, un token de clave pública ni una arquitectura de procesador.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyStrongNameRequired"> <source>Friend assembly reference '{0}' is invalid. Strong-name signed assemblies must specify a public key in their InternalsVisibleTo declarations.</source> <target state="translated">La referencia de ensamblado de confianza '{0}' no es válida. Los ensamblados firmados con nombre seguro deben especificar una clave pública en sus declaraciones InternalsVisibleTo.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyNameInvalid"> <source>Friend declaration '{0}' is invalid and cannot be resolved.</source> <target state="translated">La declaración "friend" "{0}" no es válida y no se puede resolver.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendAssemblyBadAccessOverride2"> <source>Member '{0}' cannot override member '{1}' defined in another assembly/project because the access modifier 'Protected Friend' expands accessibility. Use 'Protected' instead.</source> <target state="translated">El miembro '{0}' no puede invalidar al miembro '{1}' definido en otro ensamblado o proyecto porque el modificador de acceso 'Protected Friend' amplía la accesibilidad. Use 'Protected'.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfLocalBeforeDeclaration1"> <source>Local variable '{0}' cannot be referred to before it is declared.</source> <target state="translated">No se puede hacer referencia a la variable local '{0}' hasta que esté declarada.</target> <note /> </trans-unit> <trans-unit id="ERR_UseOfKeywordFromModule1"> <source>'{0}' is not valid within a Module.</source> <target state="translated">'{0}' no es válido dentro de un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_BogusWithinLineIf"> <source>Statement cannot end a block outside of a line 'If' statement.</source> <target state="translated">La instrucción no puede terminar un bloque fuera de una línea de la instrucción 'If'.</target> <note /> </trans-unit> <trans-unit id="ERR_CharToIntegralTypeMismatch1"> <source>'Char' values cannot be converted to '{0}'. Use 'Microsoft.VisualBasic.AscW' to interpret a character as a Unicode value or 'Microsoft.VisualBasic.Val' to interpret it as a digit.</source> <target state="translated">'Los valores 'Char' no se pueden convertir en '{0}'. Use 'Microsoft.VisualBasic.AscW' para interpretar un carácter como valor Unicode o 'Microsoft.VisualBasic.Val' para interpretarlo como un dígito.</target> <note /> </trans-unit> <trans-unit id="ERR_IntegralToCharTypeMismatch1"> <source>'{0}' values cannot be converted to 'Char'. Use 'Microsoft.VisualBasic.ChrW' to interpret a numeric value as a Unicode character or first convert it to 'String' to produce a digit.</source> <target state="translated">'Los valores '{0}' no se pueden convertir en 'Char'. Use 'Microsoft.VisualBasic.ChrW' para interpretar un valor numérico como carácter Unicode o conviértalo primero en 'String' para producir un dígito.</target> <note /> </trans-unit> <trans-unit id="ERR_NoDirectDelegateConstruction1"> <source>Delegate '{0}' requires an 'AddressOf' expression or lambda expression as the only argument to its constructor.</source> <target state="translated">El delegado '{0}' requiere una expresión 'AddressOf' o una expresión lambda como único argumento de su constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodMustBeFirstStatementOnLine"> <source>Method declaration statements must be the first statement on a logical line.</source> <target state="translated">Las instrucciones de declaración de método deben ser la primera instrucción en una línea lógica.</target> <note /> </trans-unit> <trans-unit id="ERR_AttrAssignmentNotFieldOrProp1"> <source>'{0}' cannot be named as a parameter in an attribute specifier because it is not a field or property.</source> <target state="translated">'{0}' no se puede usar como parámetro en un especificador de atributo porque no es un campo ni una propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowsObjectComparison1"> <source>Option Strict On disallows operands of type Object for operator '{0}'. Use the 'Is' operator to test for object identity.</source> <target state="translated">Option Strict On no permite operandos de tipo Object para el operador '{0}'. Use el operador 'Is' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NoConstituentArraySizes"> <source>Bounds can be specified only for the top-level array when initializing an array of arrays.</source> <target state="translated">Los límites solo se pueden especificar para la matriz de nivel superior al inicializar una matriz de matrices.</target> <note /> </trans-unit> <trans-unit id="ERR_FileAttributeNotAssemblyOrModule"> <source>'Assembly' or 'Module' expected.</source> <target state="translated">'Se esperaba 'Assembly' o 'Module'.</target> <note /> </trans-unit> <trans-unit id="ERR_FunctionResultCannotBeIndexed1"> <source>'{0}' has no parameters and its return type cannot be indexed.</source> <target state="translated">'{0}' no tiene parámetros y su tipo de valor devuelto no se puede indizar.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentSyntax"> <source>Comma, ')', or a valid expression continuation expected.</source> <target state="translated">Se esperaba una coma, ')' o la continuación de una expresión válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedResumeOrGoto"> <source>'Resume' or 'GoTo' expected.</source> <target state="translated">'Se esperaba 'Resume' o 'GoTo'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAssignmentOperator"> <source>'=' expected.</source> <target state="translated">'Se esperaba '='.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted2"> <source>Parameter '{0}' in '{1}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' de '{1}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotCallEvent1"> <source>'{0}' is an event, and cannot be called directly. Use a 'RaiseEvent' statement to raise an event.</source> <target state="translated">'{0}' es un evento y no se puede llamar directamente. Use una instrucción 'RaiseEvent' para generar un evento.</target> <note /> </trans-unit> <trans-unit id="ERR_ForEachCollectionDesignPattern1"> <source>Expression is of type '{0}', which is not a collection type.</source> <target state="translated">La expresión es del tipo '{0}', que no es un tipo de colección.</target> <note /> </trans-unit> <trans-unit id="ERR_DefaultValueForNonOptionalParam"> <source>Default values cannot be supplied for parameters that are not declared 'Optional'.</source> <target state="translated">Los valores predeterminados no se pueden proporcionar para parámetros no declarados como 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterMyBase"> <source>'MyBase' must be followed by '.' and an identifier.</source> <target state="translated">'MyBase' debe ir seguido por '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterMyClass"> <source>'MyClass' must be followed by '.' and an identifier.</source> <target state="translated">'MyClass' debe ir seguido por '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictArgumentCopyBackNarrowing3"> <source>Option Strict On disallows narrowing from type '{1}' to type '{2}' in copying the value of 'ByRef' parameter '{0}' back to the matching argument.</source> <target state="translated">Option Strict On no permite restricciones del tipo '{1}' al tipo '{2}' al copiar de nuevo el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_LbElseifAfterElse"> <source>'#ElseIf' cannot follow '#Else' as part of a '#If' block.</source> <target state="translated">'#ElseIf' no puede ir detrás de '#Else' como parte de un bloque '#If'.</target> <note /> </trans-unit> <trans-unit id="ERR_StandaloneAttribute"> <source>Attribute specifier is not a complete statement. Use a line continuation to apply the attribute to the following statement.</source> <target state="translated">El especificador de atributo no es una instrucción completa. Use una continuación de línea para aplicar el atributo a la instrucción siguiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NoUniqueConstructorOnBase2"> <source>Class '{0}' must declare a 'Sub New' because its base class '{1}' has more than one accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La clase '{0}' debe declarar un 'Sub New' porque su clase base '{1}' tiene más de un 'Sub New' accesible al que puede llamarse sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtraNextVariable"> <source>'Next' statement names more variables than there are matching 'For' statements.</source> <target state="translated">'Hay más variables designadas por la instrucción 'Next' que instrucciones 'For' correspondientes.</target> <note /> </trans-unit> <trans-unit id="ERR_RequiredNewCallTooMany2"> <source>First statement of this 'Sub New' must be a call to 'MyBase.New' or 'MyClass.New' because base class '{0}' of '{1}' has more than one accessible 'Sub New' that can be called with no arguments.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada a 'MyBase.New' o 'MyClass.New' porque la clase base '{0}' de '{1}' tiene más de un 'Sub New' accesible al que se pueda llamar sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_ForCtlVarArraySizesSpecified"> <source>Array declared as for loop control variable cannot be declared with an initial size.</source> <target state="translated">La matriz declarada como variable de control de bucle For no se puede declarar con un tamaño inicial.</target> <note /> </trans-unit> <trans-unit id="ERR_BadFlagsOnNewOverloads"> <source>The '{0}' keyword is used to overload inherited members; do not use the '{0}' keyword when overloading 'Sub New'.</source> <target state="translated">La palabra clave '{0}' se usa para sobrecargar los miembros heredados; no use la palabra clave '{0}' cuando sobrecargue un procedimiento 'Sub New'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnGenericParam"> <source>Type character cannot be used in a type parameter declaration.</source> <target state="translated">El carácter de tipo no se puede usar en una declaración de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewGenericArguments1"> <source>Too few type arguments to '{0}'.</source> <target state="translated">Argumentos de tipo insuficientes para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyGenericArguments1"> <source>Too many type arguments to '{0}'.</source> <target state="translated">Demasiados argumentos de tipo para '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericConstraintNotSatisfied2"> <source>Type argument '{0}' does not inherit from or implement the constraint type '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no se hereda del tipo de restricción '{1}' ni lo implementa.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOrMemberNotGeneric1"> <source>'{0}' has no type parameters and so cannot have type arguments.</source> <target state="translated">'{0}' no tiene parámetros de tipo y, por lo tanto, no puede tener argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewIfNullOnGenericParam"> <source>'New' cannot be used on a type parameter that does not have a 'New' constraint.</source> <target state="translated">'New' no se puede usar en un parámetro de tipo que no tenga una restricción 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleClassConstraints1"> <source>Type parameter '{0}' can only have one constraint that is a class.</source> <target state="translated">El parámetro de tipo '{0}' puede tener una restricción que sea una clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstNotClassInterfaceOrTypeParam1"> <source>Type constraint '{0}' must be either a class, interface or type parameter.</source> <target state="translated">La restricción de tipo '{0}' debe ser una clase, una interfaz o un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateTypeParamName1"> <source>Type parameter already declared with name '{0}'.</source> <target state="translated">Ya se ha declarado el parámetro de tipo con el nombre '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam2"> <source>Type parameter '{0}' for '{1}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}' para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorGenericParam1"> <source>'Is' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a type parameter with no class constraint.</source> <target state="translated">'El operando 'Is' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un parámetro de tipo sin restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentCopyBackNarrowing3"> <source>Copying the value of 'ByRef' parameter '{0}' back to the matching argument narrows from type '{1}' to type '{2}'.</source> <target state="translated">La copia del valor del parámetro 'ByRef' {0} en el argumento correspondiente se reduce del tipo '{1}' al tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ShadowingGenericParamWithMember1"> <source>'{0}' has the same name as a type parameter.</source> <target state="translated">'{0}' tiene el mismo nombre que un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericParamBase2"> <source>{0} '{1}' cannot inherit from a type parameter.</source> <target state="translated">{0} '{1}' no se puede heredar de un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsGenericParam"> <source>Type parameter not allowed in 'Implements' clause.</source> <target state="translated">Parámetro de tipo no permitido en la cláusula 'Implements'.</target> <note /> </trans-unit> <trans-unit id="ERR_OnlyNullLowerBound"> <source>Array lower bounds can be only '0'.</source> <target state="translated">Los límites inferiores de la matriz solo pueden ser '0'.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassConstraintNotInheritable1"> <source>Type constraint cannot be a 'NotInheritable' class.</source> <target state="translated">La restricción de tipo no puede ser una clase 'NotInheritable'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintIsRestrictedType1"> <source>'{0}' cannot be used as a type constraint.</source> <target state="translated">'{0}' no se puede usar como una restricción de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericParamsOnInvalidMember"> <source>Type parameters cannot be specified on this declaration.</source> <target state="translated">No se pueden especificar parámetros de tipo en esta declaración.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericArgsOnAttributeSpecifier"> <source>Type arguments are not valid because attributes cannot be generic.</source> <target state="translated">Los argumentos de tipo no son válidos porque los atributos no pueden ser genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_AttrCannotBeGenerics"> <source>Type parameters, generic types or types contained in generic types cannot be used as attributes.</source> <target state="translated">Los parámetros de tipo, los tipos genéricos y los tipos contenidos en tipos genéricos no se pueden usar como atributos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticLocalInGenericMethod"> <source>Local variables within generic methods cannot be declared 'Static'.</source> <target state="translated">Las variables locales que se encuentran dentro de métodos genéricos no se pueden declarar como 'Static'.</target> <note /> </trans-unit> <trans-unit id="ERR_SyntMemberShadowsGenericParam3"> <source>{0} '{1}' implicitly defines a member '{2}' which has the same name as a type parameter.</source> <target state="translated">{0} '{1}' define implícitamente un miembro '{2}' que tiene el mismo nombre que un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintAlreadyExists1"> <source>Constraint type '{0}' already specified for this type parameter.</source> <target state="translated">Ya se ha especificado el tipo de restricción '{0}' para este parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfacePossiblyImplTwice2"> <source>Cannot implement interface '{0}' because its implementation could conflict with the implementation of another implemented interface '{1}' for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque su implementación podría entrar en conflicto con la implementación de otra interfaz implementada '{1}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ModulesCannotBeGeneric"> <source>Modules cannot be generic.</source> <target state="translated">Los módulos no pueden ser genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_GenericClassCannotInheritAttr"> <source>Classes that are generic or contained in a generic type cannot inherit from an attribute class.</source> <target state="translated">Las clases genéricas o contenidas en un tipo genérico no se pueden heredar de una clase de atributos.</target> <note /> </trans-unit> <trans-unit id="ERR_DeclaresCantBeInGeneric"> <source>'Declare' statements are not allowed in generic types or types contained in generic types.</source> <target state="translated">'No se permiten las instrucciones 'Declare' en tipos genéricos ni en tipos contenidos en tipos genéricos.</target> <note /> </trans-unit> <trans-unit id="ERR_OverrideWithConstraintMismatch2"> <source>'{0}' cannot override '{1}' because they differ by type parameter constraints.</source> <target state="translated">'{0}' no puede invalidar '{1}' porque difieren en las restricciones de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ImplementsWithConstraintMismatch3"> <source>'{0}' cannot implement '{1}.{2}' because they differ by type parameter constraints.</source> <target state="translated">'{0}' no se puede implementar '{1}.{2}' porque difieren en las restricciones de parámetros de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_OpenTypeDisallowed"> <source>Type parameters or types constructed with type parameters are not allowed in attribute arguments.</source> <target state="translated">No se permiten los parámetros de tipo o los tipos construidos con parámetros de tipo en argumentos de atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_HandlesInvalidOnGenericMethod"> <source>Generic methods cannot use 'Handles' clause.</source> <target state="translated">Los métodos genéricos no pueden usar la cláusula 'Handles'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleNewConstraints"> <source>'New' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'La restricción 'New' no se puede especificar varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_MustInheritForNewConstraint2"> <source>Type argument '{0}' is declared 'MustInherit' and does not satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' está declarado como 'MustInherit' y no satisface la restricción 'New' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NoSuitableNewForNewConstraint2"> <source>Type argument '{0}' must have a public parameterless instance constructor to satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' debe tener un constructor de instancia sin parámetros público para satisfacer la restricción 'New' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadGenericParamForNewConstraint2"> <source>Type parameter '{0}' must have either a 'New' constraint or a 'Structure' constraint to satisfy the 'New' constraint for type parameter '{1}'.</source> <target state="translated">El parámetro de tipo '{0}' debe tener una restricción 'New' o 'Structure' para satisfacer la restricción 'New' del parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NewArgsDisallowedForTypeParam"> <source>Arguments cannot be passed to a 'New' used on a type parameter.</source> <target state="translated">No se pueden pasar argumentos a 'New' si se usa en un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateRawGenericTypeImport1"> <source>Generic type '{0}' cannot be imported more than once.</source> <target state="translated">El tipo genérico '{0}' no se puede importar más de una vez.</target> <note /> </trans-unit> <trans-unit id="ERR_NoTypeArgumentCountOverloadCand1"> <source>Overload resolution failed because no accessible '{0}' accepts this number of type arguments.</source> <target state="translated">Error de resolución de sobrecarga porque ninguna de las funciones '{0}' a las que se tiene acceso acepta este número de argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeArgsUnexpected"> <source>Type arguments unexpected.</source> <target state="translated">Argumentos de tipo no esperados.</target> <note /> </trans-unit> <trans-unit id="ERR_NameSameAsMethodTypeParam1"> <source>'{0}' is already declared as a type parameter of this method.</source> <target state="translated">'{0}' ya se declaró como parámetro de tipo de este método.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamNameFunctionNameCollision"> <source>Type parameter cannot have the same name as its defining function.</source> <target state="translated">El parámetro de tipo no puede tener el mismo nombre que la función que lo define.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConstraintSyntax"> <source>Type or 'New' expected.</source> <target state="translated">Se esperaba un tipo o 'New'.</target> <note /> </trans-unit> <trans-unit id="ERR_OfExpected"> <source>'Of' required when specifying type arguments for a generic type or method.</source> <target state="translated">'Se requiere 'Of' cuando se especifican argumentos de tipo para un tipo o método genérico.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayOfRawGenericInvalid"> <source>'(' unexpected. Arrays of uninstantiated generic types are not allowed.</source> <target state="translated">'(' inesperado. No se permiten matrices de tipos genéricos sin instancias.</target> <note /> </trans-unit> <trans-unit id="ERR_ForEachAmbiguousIEnumerable1"> <source>'For Each' on type '{0}' is ambiguous because the type implements multiple instantiations of 'System.Collections.Generic.IEnumerable(Of T)'.</source> <target state="translated">'La instrucción 'For Each' del tipo '{0}' es ambigua porque el tipo implementa varias creaciones de instancias de 'System.Collections.Generic.IEnumerable(Of T)'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOperatorGenericParam1"> <source>'IsNot' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a type parameter with no class constraint.</source> <target state="translated">'El operando 'IsNot' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un parámetro de tipo sin restricción de clase.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamQualifierDisallowed"> <source>Type parameters cannot be used as qualifiers.</source> <target state="translated">Los parámetros de tipo no se pueden usar como calificadores.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamMissingCommaOrRParen"> <source>Comma or ')' expected.</source> <target state="translated">Se esperaba una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamMissingAsCommaOrRParen"> <source>'As', comma or ')' expected.</source> <target state="translated">'Se esperaba 'As', una coma o ')'.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleReferenceConstraints"> <source>'Class' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'No se puede especificar la restricción 'Class' varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_MultipleValueConstraints"> <source>'Structure' constraint cannot be specified multiple times for the same type parameter.</source> <target state="translated">'La restricción 'Structure' no se puede especificar varias veces para el mismo parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_NewAndValueConstraintsCombined"> <source>'New' constraint and 'Structure' constraint cannot be combined.</source> <target state="translated">'No se pueden combinar las restricciones 'New' y 'Structure'.</target> <note /> </trans-unit> <trans-unit id="ERR_RefAndValueConstraintsCombined"> <source>'Class' constraint and 'Structure' constraint cannot be combined.</source> <target state="translated">'No se pueden combinar las restricciones 'Class' y 'Structure'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForStructConstraint2"> <source>Type argument '{0}' does not satisfy the 'Structure' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no satisface la restricción 'Structure' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForRefConstraint2"> <source>Type argument '{0}' does not satisfy the 'Class' constraint for type parameter '{1}'.</source> <target state="translated">El argumento de tipo '{0}' no satisface la restricción 'Class' para el parámetro de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_RefAndClassTypeConstrCombined"> <source>'Class' constraint and a specific class type constraint cannot be combined.</source> <target state="translated">'La restricción 'Class' no se puede combinar con una restricción de tipo de clase específica.</target> <note /> </trans-unit> <trans-unit id="ERR_ValueAndClassTypeConstrCombined"> <source>'Structure' constraint and a specific class type constraint cannot be combined.</source> <target state="translated">'La restricción 'Structure' no se puede combinar con una restricción de tipo de clase específica.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashIndirectIndirect4"> <source>Indirect constraint '{0}' obtained from the type parameter constraint '{1}' conflicts with the indirect constraint '{2}' obtained from the type parameter constraint '{3}'.</source> <target state="translated">La restricción '{0}' indirecta obtenida de la restricción '{1}' del parámetro de tipo entra en conflicto con la restricción '{2}' indirecta obtenida de la restricción '{3}' del parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashDirectIndirect3"> <source>Constraint '{0}' conflicts with the indirect constraint '{1}' obtained from the type parameter constraint '{2}'.</source> <target state="translated">La restricción '{0}' entra en conflicto con la restricción indirecta '{1}' obtenida de la restricción de parámetro de tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintClashIndirectDirect3"> <source>Indirect constraint '{0}' obtained from the type parameter constraint '{1}' conflicts with the constraint '{2}'.</source> <target state="translated">La restricción '{0}' indirecta obtenida de la restricción '{1}' del parámetro de tipo entra en conflicto con la restricción '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintCycleLink2"> <source> '{0}' is constrained to '{1}'.</source> <target state="translated"> '{0}' se restringe a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstraintCycle2"> <source>Type parameter '{0}' cannot be constrained to itself: {1}</source> <target state="translated">El parámetro de tipo '{0}' no se puede restringir a sí mismo: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_TypeParamWithStructConstAsConst"> <source>Type parameter with a 'Structure' constraint cannot be used as a constraint.</source> <target state="translated">El parámetro de tipo con una restricción 'Structure' no se puede usar como restricción.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableDisallowedForStructConstr1"> <source>'System.Nullable' does not satisfy the 'Structure' constraint for type parameter '{0}'. Only non-nullable 'Structure' types are allowed.</source> <target state="translated">'System.Nullable' no satisface la restricción 'Structure' del parámetro de tipo '{0}'. Solo se permiten tipos 'Structure' que no acepten valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingDirectConstraints3"> <source>Constraint '{0}' conflicts with the constraint '{1}' already specified for type parameter '{2}'.</source> <target state="translated">La restricción '{0}' entra en conflicto con la restricción '{1}' especificada para el parámetro de tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceUnifiesWithInterface2"> <source>Cannot inherit interface '{0}' because it could be identical to interface '{1}' for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_BaseUnifiesWithInterfaces3"> <source>Cannot inherit interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceBaseUnifiesWithBase4"> <source>Cannot inherit interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' from which the interface '{3}' inherits for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' de la que la interfaz '{3}' hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_InterfaceUnifiesWithBase3"> <source>Cannot inherit interface '{0}' because it could be identical to interface '{1}' from which the interface '{2}' inherits for some type arguments.</source> <target state="translated">No se puede heredar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' de la que la interfaz '{2}' hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsBaseUnifiesWithInterfaces3"> <source>Cannot implement interface '{0}' because the interface '{1}' from which it inherits could be identical to implemented interface '{2}' for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' implementada para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsInterfaceBaseUnifiesWithBase4"> <source>Cannot implement interface '{0}' because the interface '{1}' from which it inherits could be identical to interface '{2}' from which the implemented interface '{3}' inherits for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque la interfaz '{1}' de la que hereda podría ser idéntica a la interfaz '{2}' de la que la interfaz '{3}' implementada hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ClassInheritsInterfaceUnifiesWithBase3"> <source>Cannot implement interface '{0}' because it could be identical to interface '{1}' from which the implemented interface '{2}' inherits for some type arguments.</source> <target state="translated">No se puede implementar la interfaz '{0}' porque podría ser idéntica a la interfaz '{1}' de la que la interfaz '{2}' implementada hereda para algunos argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionalsCantBeStructGenericParams"> <source>Generic parameters used as optional parameter types must be class constrained.</source> <target state="translated">Los parámetros genéricos usados como tipos de parámetro opcionales deben estar restringidos por clase.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfNullableMethod"> <source>Methods of 'System.Nullable(Of T)' cannot be used as operands of the 'AddressOf' operator.</source> <target state="translated">No se pueden usar los métodos de 'System.Nullable(Of T)' como operandos del operador 'AddressOf'.</target> <note /> </trans-unit> <trans-unit id="ERR_IsOperatorNullable1"> <source>'Is' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a nullable type.</source> <target state="translated">'El operando 'Is' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un tipo que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_IsNotOperatorNullable1"> <source>'IsNot' operand of type '{0}' can be compared only to 'Nothing' because '{0}' is a nullable type.</source> <target state="translated">'El operando 'IsNot' de tipo '{0}' solo se puede comparar con 'Nothing' porque '{0}' es un tipo que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_ShadowingTypeOutsideClass1"> <source>'{0}' cannot be declared 'Shadows' outside of a class, structure, or interface.</source> <target state="translated">'{0}' no se puede declarar como 'Shadows' fuera de una clase, estructura o interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertySetParamCollisionWithValue"> <source>Property parameters cannot have the name 'Value'.</source> <target state="translated">Los parámetros de propiedad no pueden tener el nombre 'Value'.</target> <note /> </trans-unit> <trans-unit id="ERR_SxSIndirectRefHigherThanDirectRef3"> <source>The project currently contains references to more than one version of '{0}', a direct reference to version {2} and an indirect reference to version {1}. Change the direct reference to use version {1} (or higher) of {0}.</source> <target state="translated">El proyecto contiene actualmente referencias a más de una versión de '{0}', una referencia directa a la versión {2} y una referencia indirecta a la versión {1}. Cambie la referencia directa para que use la versión {1} (o posterior) de {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateReferenceStrong"> <source>Multiple assemblies with equivalent identity have been imported: '{0}' and '{1}'. Remove one of the duplicate references.</source> <target state="translated">Se han importado varios ensamblados con identidad equivalente: '{0}' y '{1}'. Quite una de las referencias duplicadas.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateReference2"> <source>Project already has a reference to assembly '{0}'. A second reference to '{1}' cannot be added.</source> <target state="translated">El proyecto ya tiene una referencia al ensamblado '{0}'. No se puede agregar una segunda referencia a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCallOrIndex"> <source>Illegal call expression or index expression.</source> <target state="translated">Expresión de llamada o de índice no válida.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictDefaultPropertyAttribute"> <source>Conflict between the default property and the 'DefaultMemberAttribute' defined on '{0}'.</source> <target state="translated">Hay un conflicto entre la propiedad predeterminada y el atributo 'DefaultMemberAttribute' definido en '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeUuid2"> <source>'{0}' cannot be applied because the format of the GUID '{1}' is not correct.</source> <target state="translated">'No se puede aplicar '{0}' porque el formato del GUID '{1}' no es correcto.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassAndReservedAttribute1"> <source>'Microsoft.VisualBasic.ComClassAttribute' and '{0}' cannot both be applied to the same class.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' y '{0}' no se pueden aplicar a la vez a la misma clase.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassRequiresPublicClass2"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to '{0}' because its container '{1}' is not declared 'Public'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a '{0}' porque su contenedor '{1}' no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassReservedDispIdZero1"> <source>'System.Runtime.InteropServices.DispIdAttribute' cannot be applied to '{0}' because 'Microsoft.VisualBasic.ComClassAttribute' reserves zero for the default property.</source> <target state="translated">'System.Runtime.InteropServices.DispIdAttribute' no se puede aplicar a '{0}' porque 'Microsoft.VisualBasic.ComClassAttribute' reserva el cero para la propiedad predeterminada.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassReservedDispId1"> <source>'System.Runtime.InteropServices.DispIdAttribute' cannot be applied to '{0}' because 'Microsoft.VisualBasic.ComClassAttribute' reserves values less than zero.</source> <target state="translated">'System.Runtime.InteropServices.DispIdAttribute' no se puede aplicar a '{0}' porque 'Microsoft.VisualBasic.ComClassAttribute' reserva valores inferiores a cero.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassDuplicateGuids1"> <source>'InterfaceId' and 'EventsId' parameters for 'Microsoft.VisualBasic.ComClassAttribute' on '{0}' cannot have the same value.</source> <target state="translated">'Los parámetros 'InterfaceId' y 'EventsId' para 'Microsoft.VisualBasic.ComClassAttribute' en '{0}' no pueden tener el mismo valor.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassCantBeAbstract0"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to a class that is declared 'MustInherit'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a una clase declarada como 'MustInherit'.</target> <note /> </trans-unit> <trans-unit id="ERR_ComClassRequiresPublicClass1"> <source>'Microsoft.VisualBasic.ComClassAttribute' cannot be applied to '{0}' because it is not declared 'Public'.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' no se puede aplicar a '{0}' porque no está declarado como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnknownOperator"> <source>Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</source> <target state="translated">La declaración del operador debe ser uno de los siguientes valores: +, -, *, \\, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateConversionCategoryUsed"> <source>'Widening' and 'Narrowing' cannot be combined.</source> <target state="translated">'Widening' y 'Narrowing' no se pueden combinar.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorNotOverloadable"> <source>Operator is not overloadable. Operator declaration must be one of: +, -, *, \, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</source> <target state="translated">El operador no se puede sobrecargar. La declaración del operador debe tener uno de los siguientes valores: +, -, *, \\, /, ^, &amp;, Like, Mod, And, Or, Xor, Not, &lt;&lt;, &gt;&gt;, =, &lt;&gt;, &lt;, &lt;=, &gt;, &gt;=, CType, IsTrue, IsFalse.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidHandles"> <source>'Handles' is not valid on operator declarations.</source> <target state="translated">'Handles' no es válido en declaraciones de operadores.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplements"> <source>'Implements' is not valid on operator declarations.</source> <target state="translated">'Implements' no es válido en declaraciones de operadores.</target> <note /> </trans-unit> <trans-unit id="ERR_EndOperatorExpected"> <source>'End Operator' expected.</source> <target state="translated">'Se esperaba 'End Operator'.</target> <note /> </trans-unit> <trans-unit id="ERR_EndOperatorNotAtLineStart"> <source>'End Operator' must be the first statement on a line.</source> <target state="translated">'End Operator' debe ser la primera instrucción de una línea.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidEndOperator"> <source>'End Operator' must be preceded by a matching 'Operator'.</source> <target state="translated">'End Operator' debe ir precedida de una instrucción 'Operator' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExitOperatorNotValid"> <source>'Exit Operator' is not valid. Use 'Return' to exit an operator.</source> <target state="translated">'Exit Operator' no es válido. Use 'Return' para salir de un operador.</target> <note /> </trans-unit> <trans-unit id="ERR_ParamArrayIllegal1"> <source>'{0}' parameters cannot be declared 'ParamArray'.</source> <target state="translated">'Los parámetros '{0}' no se pueden declarar como 'ParamArray'.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionalIllegal1"> <source>'{0}' parameters cannot be declared 'Optional'.</source> <target state="translated">'Los parámetros '{0}' no se pueden declarar como 'Optional'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorMustBePublic"> <source>Operators must be declared 'Public'.</source> <target state="translated">Los operadores se deben declarar como 'Public'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorMustBeShared"> <source>Operators must be declared 'Shared'.</source> <target state="translated">Los operadores se deben declarar como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadOperatorFlags1"> <source>Operators cannot be declared '{0}'.</source> <target state="translated">Los operadores no se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OneParameterRequired1"> <source>Operator '{0}' must have one parameter.</source> <target state="translated">El operador '{0}' debe tener un parámetro.</target> <note /> </trans-unit> <trans-unit id="ERR_TwoParametersRequired1"> <source>Operator '{0}' must have two parameters.</source> <target state="translated">El operador '{0}' debe tener dos parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_OneOrTwoParametersRequired1"> <source>Operator '{0}' must have either one or two parameters.</source> <target state="translated">El operador '{0}' debe tener uno o dos parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvMustBeWideningOrNarrowing"> <source>Conversion operators must be declared either 'Widening' or 'Narrowing'.</source> <target state="translated">Los operadores de conversión se deben declarar como 'Widening' o 'Narrowing'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorDeclaredInModule"> <source>Operators cannot be declared in modules.</source> <target state="translated">Los operadores no se pueden declarar en los módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSpecifierOnNonConversion1"> <source>Only conversion operators can be declared '{0}'.</source> <target state="translated">Solo los operadores de conversión se pueden declarar como '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnaryParamMustBeContainingType1"> <source>Parameter of this unary operator must be of the containing type '{0}'.</source> <target state="translated">El parámetro de este operador unario debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BinaryParamMustBeContainingType1"> <source>At least one parameter of this binary operator must be of the containing type '{0}'.</source> <target state="translated">Al menos un parámetro de este operador binario debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConvParamMustBeContainingType1"> <source>Either the parameter type or the return type of this conversion operator must be of the containing type '{0}'.</source> <target state="translated">El tipo de parámetro o el tipo de valor devuelto de este operador de conversión debe ser del tipo contenedor '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorRequiresBoolReturnType1"> <source>Operator '{0}' must have a return type of Boolean.</source> <target state="translated">El operador '{0}' debe tener un tipo de valor devuelto Boolean.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToSameType"> <source>Conversion operators cannot convert from a type to the same type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo al mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToInterfaceType"> <source>Conversion operators cannot convert to an interface type.</source> <target state="translated">Los operadores de conversión no se pueden convertir en un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToBaseType"> <source>Conversion operators cannot convert from a type to its base type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo a su tipo base.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToDerivedType"> <source>Conversion operators cannot convert from a type to its derived type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo a su tipo derivado.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionToObject"> <source>Conversion operators cannot convert to Object.</source> <target state="translated">Los operadores de conversión no se pueden convertir en Object.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromInterfaceType"> <source>Conversion operators cannot convert from an interface type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo de interfaz.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromBaseType"> <source>Conversion operators cannot convert from a base type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo base.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromDerivedType"> <source>Conversion operators cannot convert from a derived type.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de un tipo derivado.</target> <note /> </trans-unit> <trans-unit id="ERR_ConversionFromObject"> <source>Conversion operators cannot convert from Object.</source> <target state="translated">Los operadores de conversión no pueden convertir a partir de Object.</target> <note /> </trans-unit> <trans-unit id="ERR_MatchingOperatorExpected2"> <source>Matching '{0}' operator is required for '{1}'.</source> <target state="translated">Se requiere un operador '{0}' coincidente para '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableLogicalOperator3"> <source>Return and parameter types of '{0}' must be '{1}' to be used in a '{2}' expression.</source> <target state="translated">Los tipos de valor devuelto y de parámetro de '{0}' deben ser '{1}' para usarse en una expresión '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConditionOperatorRequired3"> <source>Type '{0}' must define operator '{1}' to be used in a '{2}' expression.</source> <target state="translated">El tipo '{0}' debe definir el operador '{1}' que se va a usar en una expresión '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CopyBackTypeMismatch3"> <source>Cannot copy the value of 'ByRef' parameter '{0}' back to the matching argument because type '{1}' cannot be converted to type '{2}'.</source> <target state="translated">No se puede volver a copiar el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente porque el tipo '{1}' no se puede convertir en el tipo '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ForLoopOperatorRequired2"> <source>Type '{0}' must define operator '{1}' to be used in a 'For' statement.</source> <target state="translated">El tipo '{0}' debe definir el operador '{1}' que se va a usar en una instrucción 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableForLoopOperator2"> <source>Return and parameter types of '{0}' must be '{1}' to be used in a 'For' statement.</source> <target state="translated">Los tipos de valor devuelto y de parámetro de '{0}' deben ser '{1}' para usarse en una expresión 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnacceptableForLoopRelOperator2"> <source>Parameter types of '{0}' must be '{1}' to be used in a 'For' statement.</source> <target state="translated">Los tipos de parámetro de '{0}' deben ser '{1}' para usarse en una expresión 'For'.</target> <note /> </trans-unit> <trans-unit id="ERR_OperatorRequiresIntegerParameter1"> <source>Operator '{0}' must have a second parameter of type 'Integer' or 'Integer?'.</source> <target state="translated">El operador '{0}' debe tener un segundo parámetro de tipo 'Integer' o 'Integer?'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyNullableOnBoth"> <source>Nullable modifier cannot be specified on both a variable and its type.</source> <target state="translated">No se puede especificar un modificador que acepte valores NULL en una variable y en su tipo a la vez.</target> <note /> </trans-unit> <trans-unit id="ERR_BadTypeArgForStructConstraintNull"> <source>Type '{0}' must be a value type or a type argument constrained to 'Structure' in order to be used with 'Nullable' or nullable modifier '?'.</source> <target state="translated">El tipo '{0}' debe ser un tipo de valor o un argumento de tipo restringido a 'Structure' para poder usarlo con 'Nullable' o el modificador '?' que acepta valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyArrayAndNullableOnBoth"> <source>Nullable modifier '?' and array modifiers '(' and ')' cannot be specified on both a variable and its type.</source> <target state="translated">El modificador '?' que acepta valores NULL y los modificadores de matriz '(' y ')' no se pueden especificar en una variable y su tipo a la vez.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyTypeCharacterOnIIF"> <source>Expressions used with an 'If' expression cannot contain type characters.</source> <target state="translated">Las expresiones que se usan con una expresión 'If' no pueden contener caracteres de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFName"> <source>'If' operands cannot be named arguments.</source> <target state="translated">'Los operandos 'If' no pueden ser argumentos con nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFConversion"> <source>Cannot infer a common type for the second and third operands of the 'If' operator. One must have a widening conversion to the other.</source> <target state="translated">No se puede inferir un tipo común para los operandos segundo y tercero del operador 'If'. Uno de ellos debe tener una conversión de ampliación que lo convierta en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalCondTypeInIIF"> <source>First operand in a binary 'If' expression must be a nullable value type, a reference type, or an unconstrained generic type.</source> <target state="translated">El primer operando de una expresión "If" binaria debe ser un tipo de valor que acepte valores NULL, un tipo de referencia o un tipo genérico sin restricciones.</target> <note /> </trans-unit> <trans-unit id="ERR_CantCallIIF"> <source>'If' operator cannot be used in a 'Call' statement.</source> <target state="translated">'El operador 'If' no se puede usar en una instrucción 'Call'.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyAsNewAndNullable"> <source>Nullable modifier cannot be specified in variable declarations with 'As New'.</source> <target state="translated">No se puede especificar un modificador que acepte valores NULL en declaraciones de variable con 'As New'.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFConversion2"> <source>Cannot infer a common type for the first and second operands of the binary 'If' operator. One must have a widening conversion to the other.</source> <target state="translated">No se puede inferir un tipo común para los operandos primero y segundo del operador 'If' binario. Uno de ellos debe tener una conversión de ampliación que lo convierta en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNullTypeInCCExpression"> <source>Nullable types are not allowed in conditional compilation expressions.</source> <target state="translated">No se permiten tipos que acepten valores NULL en expresiones de compilación condicionales.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableImplicit"> <source>Nullable modifier cannot be used with a variable whose implicit type is 'Object'.</source> <target state="translated">No se puede usar un modificador que acepte valores Null con una variable cuyo tipo implícito sea 'Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingRuntimeHelper"> <source>Requested operation is not available because the runtime library function '{0}' is not defined.</source> <target state="translated">La operación solicitada no está disponible porque no está definida la función de biblioteca en tiempo de ejecución '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedDotAfterGlobalNameSpace"> <source>'Global' must be followed by '.' and an identifier.</source> <target state="translated">'Global' debe ir seguido de '.' y un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_NoGlobalExpectedIdentifier"> <source>'Global' not allowed in this context; identifier expected.</source> <target state="translated">'Global' no se permite en este contexto; se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_NoGlobalInHandles"> <source>'Global' not allowed in handles; local name expected.</source> <target state="translated">'Global' no se permite en identificadores; se esperaba el nombre local.</target> <note /> </trans-unit> <trans-unit id="ERR_ElseIfNoMatchingIf"> <source>'ElseIf' must be preceded by a matching 'If' or 'ElseIf'.</source> <target state="translated">'ElseIf' debe ir precedida de una instrucción 'If' o 'ElseIf' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAttributeConstructor2"> <source>Attribute constructor has a 'ByRef' parameter of type '{0}'; cannot use constructors with byref parameters to apply the attribute.</source> <target state="translated">El constructor de atributos tiene un parámetro 'ByRef' del tipo '{0}'; no se pueden usar constructores con parámetros byref para aplicar el atributo.</target> <note /> </trans-unit> <trans-unit id="ERR_EndUsingWithoutUsing"> <source>'End Using' must be preceded by a matching 'Using'.</source> <target state="translated">'End Using' debe ir precedida de una instrucción 'Using' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEndUsing"> <source>'Using' must end with a matching 'End Using'.</source> <target state="translated">'Using' debe terminar con una instrucción 'End Using' correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_GotoIntoUsing"> <source>'GoTo {0}' is not valid because '{0}' is inside a 'Using' statement that does not contain this statement.</source> <target state="translated">'GoTo {0}' no es válida porque '{0}' está dentro de una instrucción 'Using' que no contiene esta instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingRequiresDisposePattern"> <source>'Using' operand of type '{0}' must implement 'System.IDisposable'.</source> <target state="translated">'El operando 'Using' del tipo '{0}' debe implementar 'System.IDisposable'.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingResourceVarNeedsInitializer"> <source>'Using' resource variable must have an explicit initialization.</source> <target state="translated">'La variable de recursos 'Using' debe tener una inicialización explícita.</target> <note /> </trans-unit> <trans-unit id="ERR_UsingResourceVarCantBeArray"> <source>'Using' resource variable type can not be array type.</source> <target state="translated">'El tipo de variable del recurso 'Using' no puede ser un tipo de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_OnErrorInUsing"> <source>'On Error' statements are not valid within 'Using' statements.</source> <target state="translated">'Las instrucciones 'On Error' no son válidas dentro de instrucciones 'Using'.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyNameConflictInMyCollection"> <source>'{0}' has the same name as a member used for type '{1}' exposed in a 'My' group. Rename the type or its enclosing namespace.</source> <target state="translated">'{0}' tiene el mismo nombre que un miembro usado para el tipo '{1}' expuesto en un grupo 'My'. Cambie el nombre del tipo o de su espacio de nombres envolvente.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidImplicitVar"> <source>Implicit variable '{0}' is invalid because of '{1}'.</source> <target state="translated">La variable implícita '{0}' no es válida por '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ObjectInitializerRequiresFieldName"> <source>Object initializers require a field name to initialize.</source> <target state="translated">Los inicializadores de objeto requieren un nombre de campo para inicializar.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedFrom"> <source>'From' expected.</source> <target state="translated">'Se esperaba 'From'.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaBindingMismatch1"> <source>Nested function does not have the same signature as delegate '{0}'.</source> <target state="translated">La función anidada no tiene la misma firma que el delegado '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaBindingMismatch2"> <source>Nested sub does not have a signature that is compatible with delegate '{0}'.</source> <target state="translated">El elemento sub anidado no tiene una firma compatible con el delegado '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftByRefParamQuery1"> <source>'ByRef' parameter '{0}' cannot be used in a query expression.</source> <target state="translated">'El parámetro '{0}' de 'ByRef' no se puede usar en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionTreeNotSupported"> <source>Expression cannot be converted into an expression tree.</source> <target state="translated">La expresión no se puede convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftStructureMeQuery"> <source>Instance members and 'Me' cannot be used within query expressions in structures.</source> <target state="translated">No se pueden usar miembros de instancia ni 'Me' en expresiones de consulta en estructuras.</target> <note /> </trans-unit> <trans-unit id="ERR_InferringNonArrayType1"> <source>Variable cannot be initialized with non-array type '{0}'.</source> <target state="translated">Una variable no se puede inicializar con un tipo '{0}' que no sea de matriz.</target> <note /> </trans-unit> <trans-unit id="ERR_ByRefParamInExpressionTree"> <source>References to 'ByRef' parameters cannot be converted to an expression tree.</source> <target state="translated">Las referencias a parámetros 'ByRef' no se pueden convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateAnonTypeMemberName1"> <source>Anonymous type member or property '{0}' is already declared.</source> <target state="translated">El miembro de tipo anónimo o la propiedad '{0}' están ya declarados.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAnonymousTypeForExprTree"> <source>Cannot convert anonymous type to an expression tree because a property of the type is used to initialize another property.</source> <target state="translated">No se puede convertir el tipo anónimo en un árbol de expresión porque una propiedad del tipo se usa para inicializar otra propiedad.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftAnonymousType1"> <source>Anonymous type property '{0}' cannot be used in the definition of a lambda expression within the same initialization list.</source> <target state="translated">No se puede usar la propiedad de tipo anónimo '{0}' en la definición de una expresión lambda en la misma lista de inicialización.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionOnlyAllowedOnModuleSubOrFunction"> <source>'Extension' attribute can be applied only to 'Module', 'Sub', or 'Function' declarations.</source> <target state="translated">'El atributo 'Extension' solo se puede aplicar a las declaraciones 'Module', 'Sub' o 'Function'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodNotInModule"> <source>Extension methods can be defined only in modules.</source> <target state="translated">Los métodos de extensión se pueden definir solo en módulos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodNoParams"> <source>Extension methods must declare at least one parameter. The first parameter specifies which type to extend.</source> <target state="translated">Los métodos de extensión deben declarar al menos un parámetro. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOptionalFirstArg"> <source>'Optional' cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.</source> <target state="translated">'No se puede aplicar 'Optional' al primer parámetro de un método de extensión. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodParamArrayFirstArg"> <source>'ParamArray' cannot be applied to the first parameter of an extension method. The first parameter specifies which type to extend.</source> <target state="translated">'No se puede aplicar 'ParamArray' al primer parámetro de un método de extensión. El primer parámetro especifica el tipo que se debe extender.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeFieldNameInference"> <source>Anonymous type member name can be inferred only from a simple or qualified name with no arguments.</source> <target state="translated">El nombre de miembro de tipo anónimo solo se puede inferir a partir de un nombre simple o completo sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NameNotMemberOfAnonymousType2"> <source>'{0}' is not a member of '{1}'; it does not exist in the current context.</source> <target state="translated">'{0}' no es un miembro de '{1}'; no existe en el contexto actual.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionAttributeInvalid"> <source>The custom-designed version of 'System.Runtime.CompilerServices.ExtensionAttribute' found by the compiler is not valid. Its attribute usage flags must be set to allow assemblies, classes, and methods.</source> <target state="translated">La versión con diseño personalizado de 'System.Runtime.CompilerServices.ExtensionAttribute' que encontró el compilador no es válida. Se deben establecer sus marcas de uso de atributos para que permitan ensamblados, clases y métodos.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypePropertyOutOfOrder1"> <source>Anonymous type member property '{0}' cannot be used to infer the type of another member property because the type of '{0}' is not yet established.</source> <target state="translated">La propiedad '{0}' del miembro de tipo anónimo no se puede usar para inferir el tipo de otra propiedad de miembro porque el tipo de '{0}' no se ha establecido aún.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeDisallowsTypeChar"> <source>Type characters cannot be used in anonymous type declarations.</source> <target state="translated">No se pueden usar caracteres de tipo en declaraciones de tipos anónimos.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleLiteralDisallowsTypeChar"> <source>Type characters cannot be used in tuple literals.</source> <target state="translated">No se pueden usar caracteres de tipo en los literales de tupla.</target> <note /> </trans-unit> <trans-unit id="ERR_NewWithTupleTypeSyntax"> <source>'New' cannot be used with tuple type. Use a tuple literal expression instead.</source> <target state="translated">'"New" no se puede usar con un tipo de tupla. Use una expresión literal de tupla en su lugar.</target> <note /> </trans-unit> <trans-unit id="ERR_PredefinedValueTupleTypeMustBeStruct"> <source>Predefined type '{0}' must be a structure.</source> <target state="translated">El tipo predefinido '{0}' debe ser una estructura.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodUncallable1"> <source>Extension method '{0}' has type constraints that can never be satisfied.</source> <target state="translated">El método de extensión '{0}' tiene restricciones de tipo que no se pueden cumplir nunca.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOverloadCandidate3"> <source> Extension method '{0}' defined in '{1}': {2}</source> <target state="translated"> Método de extensión '{0}' definido en '{1}': {2}</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatch"> <source>Method does not have a signature compatible with the delegate.</source> <target state="translated">El método no tiene una firma compatible con el delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingTypeInferenceFails"> <source>Type arguments could not be inferred from the delegate.</source> <target state="translated">No se pudieron inferir los argumentos de tipo a partir del delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs"> <source>Too many arguments.</source> <target state="translated">Demasiados argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted1"> <source>Parameter '{0}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice1"> <source>Parameter '{0}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound1"> <source>'{0}' is not a method parameter.</source> <target state="translated">'{0}' no es un parámetro de método.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument1"> <source>Argument not specified for parameter '{0}'.</source> <target state="translated">No se ha especificado ningún argumento para el parámetro '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam1"> <source>Type parameter '{0}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodOverloadCandidate2"> <source> Extension method '{0}' defined in '{1}'.</source> <target state="translated"> Método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeNeedField"> <source>Anonymous type must contain at least one member.</source> <target state="translated">El tipo anónimo debe contener al menos un miembro.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeNameWithoutPeriod"> <source>Anonymous type member name must be preceded by a period.</source> <target state="translated">El nombre de un miembro de tipo anónimo debe ir precedido de un punto.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonymousTypeExpectedIdentifier"> <source>Identifier expected, preceded with a period.</source> <target state="translated">Se esperaba un identificador precedido por un punto.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyArgs2"> <source>Too many arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Demasiados argumentos para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgAlsoOmitted3"> <source>Parameter '{0}' in extension method '{1}' defined in '{2}' already has a matching omitted argument.</source> <target state="translated">El parámetro '{0}' del método de extensión '{1}' definido en '{2}' ya tiene un argumento omitido correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedArgUsedTwice3"> <source>Parameter '{0}' of extension method '{1}' defined in '{2}' already has a matching argument.</source> <target state="translated">El parámetro '{0}' del método de extensión '{1}' definido en '{2}' ya tiene un argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_NamedParamNotFound3"> <source>'{0}' is not a parameter of extension method '{1}' defined in '{2}'.</source> <target state="translated">'{0}' no es un parámetro del método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OmittedArgument3"> <source>Argument not specified for parameter '{0}' of extension method '{1}' defined in '{2}'.</source> <target state="translated">No se especificó un argumento para el parámetro '{0}' del método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnboundTypeParam3"> <source>Type parameter '{0}' for extension method '{1}' defined in '{2}' cannot be inferred.</source> <target state="translated">No se puede inferir el parámetro de tipo '{0}' para el método de extensión '{1}' definido en '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooFewGenericArguments2"> <source>Too few type arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Argumentos de tipo insuficientes para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyGenericArguments2"> <source>Too many type arguments to extension method '{0}' defined in '{1}'.</source> <target state="translated">Demasiados argumentos de tipo para el método de extensión '{0}' definido en '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedInOrEq"> <source>'In' or '=' expected.</source> <target state="translated">'Se esperaba 'In' o '='.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedQueryableSource"> <source>Expression of type '{0}' is not queryable. Make sure you are not missing an assembly reference and/or namespace import for the LINQ provider.</source> <target state="translated">No se puede consultar una expresión de tipo '{0}'. Compruebe que no falta ninguna referencia de ensamblado ni ninguna importación de espacio de nombres para el proveedor LINQ.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryOperatorNotFound"> <source>Definition of method '{0}' is not accessible in this context.</source> <target state="translated">La definición del método '{0}' no es accesible en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotUseOnErrorGotoWithClosure"> <source>Method cannot contain both a '{0}' statement and a definition of a variable that is used in a lambda or query expression.</source> <target state="translated">El método no puede contener una instrucción '{0}' y una definición de una variable que se use en una expresión lambda o de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotGotoNonScopeBlocksWithClosure"> <source>'{0}{1}' is not valid because '{2}' is inside a scope that defines a variable that is used in a lambda or query expression.</source> <target state="translated">'{0}{1}' no es válido porque '{2}' está dentro de un ámbito que define una variable que se usa en una expresión lambda o de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeQuery"> <source>Instance of restricted type '{0}' cannot be used in a query expression.</source> <target state="translated">La instancia del tipo restringido '{0}' no se puede usar en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonymousTypeFieldNameInference"> <source>Range variable name can be inferred only from a simple or qualified name with no arguments.</source> <target state="translated">El nombre de una variable de rango solo se puede inferir a partir de un nombre simple o completo sin argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryDuplicateAnonTypeMemberName1"> <source>Range variable '{0}' is already declared.</source> <target state="translated">La variable de rango '{0}' ya está declarada.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonymousTypeDisallowsTypeChar"> <source>Type characters cannot be used in range variable declarations.</source> <target state="translated">No se pueden usar caracteres de tipo en declaraciones de variable de rango.</target> <note /> </trans-unit> <trans-unit id="ERR_ReadOnlyInClosure"> <source>'ReadOnly' variable cannot be the target of an assignment in a lambda expression inside a constructor.</source> <target state="translated">'La variable 'ReadOnly' no puede ser el destino de una asignación en una expresión lambda dentro de un constructor.</target> <note /> </trans-unit> <trans-unit id="ERR_ExprTreeNoMultiDimArrayCreation"> <source>Multi-dimensional array cannot be converted to an expression tree.</source> <target state="translated">Una matriz multidimensional no se puede convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExprTreeNoLateBind"> <source>Late binding operations cannot be converted to an expression tree.</source> <target state="translated">Las operaciones de enlace en tiempo de ejecución no se pueden convertir en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedBy"> <source>'By' expected.</source> <target state="translated">'Se esperaba 'By'.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryInvalidControlVariableName1"> <source>Range variable name cannot match the name of a member of the 'Object' class.</source> <target state="translated">El nombre de una variable de rango no puede coincidir con el nombre de un miembro de la clase 'Object'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIn"> <source>'In' expected.</source> <target state="translated">'Se esperaba 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryNameNotDeclared"> <source>Name '{0}' is either not declared or not in the current scope.</source> <target state="translated">El nombre '{0}' no está declarado o no está en el ámbito actual.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedFunctionArgumentNarrowing3"> <source>Return type of nested function matching parameter '{0}' narrows from '{1}' to '{2}'.</source> <target state="translated">El tipo de valor devuelto de la función anidada coincidente con el parámetro '{0}' se reduce de '{1}' a '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AnonTypeFieldXMLNameInference"> <source>Anonymous type member name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.</source> <target state="translated">El nombre de un miembro de tipo anónimo no se puede inferir de un identificador XML que no sea un identificador de Visual Basic válido.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryAnonTypeFieldXMLNameInference"> <source>Range variable name cannot be inferred from an XML identifier that is not a valid Visual Basic identifier.</source> <target state="translated">El nombre de una variable de rango no se puede inferir de un identificador XML que no sea un identificador de Visual Basic válido.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedInto"> <source>'Into' expected.</source> <target state="translated">'Se esperaba 'Into'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeCharOnAggregation"> <source>Aggregate function name cannot be used with a type character.</source> <target state="translated">El nombre de una función de agregado no se puede usar con un carácter de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedOn"> <source>'On' expected.</source> <target state="translated">'Se esperaba 'On'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedEquals"> <source>'Equals' expected.</source> <target state="translated">'Se esperaba 'Equals'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedAnd"> <source>'And' expected.</source> <target state="translated">'Se esperaba 'And'.</target> <note /> </trans-unit> <trans-unit id="ERR_EqualsTypeMismatch"> <source>'Equals' cannot compare a value of type '{0}' with a value of type '{1}'.</source> <target state="translated">'Equals' no puede comparar un valor de tipo '{0}' con un valor de tipo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EqualsOperandIsBad"> <source>You must reference at least one range variable on both sides of the 'Equals' operator. Range variable(s) {0} must appear on one side of the 'Equals' operator, and range variable(s) {1} must appear on the other.</source> <target state="translated">Debe hacer referencia al menos a una variable de rango en ambos lados del operador 'Equals'. La(s) variable(s) de rango {0} debe(n) aparecer en un lado del operador 'Equals' y la(s) variable(s) de rango {1} debe(n) aparecer en el otro.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNotDelegate1"> <source>Lambda expression cannot be converted to '{0}' because '{0}' is not a delegate type.</source> <target state="translated">La expresión lambda no se puede convertir en '{0}' porque '{0}' no es un tipo delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNotCreatableDelegate1"> <source>Lambda expression cannot be converted to '{0}' because type '{0}' is declared 'MustInherit' and cannot be created.</source> <target state="translated">La expresión lambda no se puede convertir en '{0}' porque el tipo '{0}' está declarado como 'MustInherit' y no se puede crear.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotInferNullableForVariable1"> <source>A nullable type cannot be inferred for variable '{0}'.</source> <target state="translated">No se puede inferir un tipo que acepte valores NULL para la variable '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableTypeInferenceNotSupported"> <source>Nullable type inference is not supported in this context.</source> <target state="translated">No se admite la inferencia de tipos que acepten valores NULL en este contexto.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedJoin"> <source>'Join' expected.</source> <target state="translated">'Se esperaba 'Join'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableParameterMustSpecifyType"> <source>Nullable parameters must specify a type.</source> <target state="translated">Los parámetros que aceptan valores NULL deben especificar un tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_IterationVariableShadowLocal2"> <source>Range variable '{0}' hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.</source> <target state="translated">La variable de rango '{0}' oculta una variable en un bloque envolvente, una variable de rango definida anteriormente o una variable declarada de forma implícita en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdasCannotHaveAttributes"> <source>Attributes cannot be applied to parameters of lambda expressions.</source> <target state="translated">No se puede aplicar atributos a parámetros de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaInSelectCaseExpr"> <source>Lambda expressions are not valid in the first expression of a 'Select Case' statement.</source> <target state="translated">Las expresiones lambda no son válidas en la primera expresión de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_AddressOfInSelectCaseExpr"> <source>'AddressOf' expressions are not valid in the first expression of a 'Select Case' statement.</source> <target state="translated">'Las expresiones 'AddressOf' no son válidas en la primera expresión de una instrucción 'Select Case'.</target> <note /> </trans-unit> <trans-unit id="ERR_NullableCharNotSupported"> <source>The '?' character cannot be used here.</source> <target state="translated">No se puede usar aquí el carácter '?'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftStructureMeLambda"> <source>Instance members and 'Me' cannot be used within a lambda expression in structures.</source> <target state="translated">No se pueden usar miembros de instancia ni 'Me' dentro de una expresión lambda en estructuras.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftByRefParamLambda1"> <source>'ByRef' parameter '{0}' cannot be used in a lambda expression.</source> <target state="translated">'El parámetro '{0}' de 'ByRef' no se puede usar en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeLambda"> <source>Instance of restricted type '{0}' cannot be used in a lambda expression.</source> <target state="translated">La instancia del tipo restringido '{0}' no se puede usar en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaParamShadowLocal1"> <source>Lambda parameter '{0}' hides a variable in an enclosing block, a previously defined range variable, or an implicitly declared variable in a query expression.</source> <target state="translated">El parámetro lambda '{0}' oculta una variable en un bloque envolvente, una variable de rango definida anteriormente o una variable declarada de forma implícita en una expresión de consulta.</target> <note /> </trans-unit> <trans-unit id="ERR_StrictDisallowImplicitObjectLambda"> <source>Option Strict On requires each lambda expression parameter to be declared with an 'As' clause if its type cannot be inferred.</source> <target state="translated">Option Strict On requiere que los parámetros de la expresión lambda estén declarados con una cláusula 'As' si no se puede inferir su tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_CantSpecifyParamsOnLambdaParamNoType"> <source>Array modifiers cannot be specified on lambda expression parameter name. They must be specified on its type.</source> <target state="translated">No se pueden especificar modificadores de matriz en el nombre del parámetro de una expresión lambda. Deben especificarse en su tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailure3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicit3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede resolver especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureAmbiguous3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because more than one type is possible. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque hay más de un tipo posible. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitAmbiguous3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because more than one type is possible.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque hay más de un tipo posible.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoBest3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because they do not convert to the same type. Specifying the data type(s) explicitly might correct this error.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo. Este error se puede corregir especificando los tipos de datos explícitamente.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest1"> <source>Data type(s) of the type parameter(s) cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest2"> <source>Data type(s) of the type parameter(s) in method '{0}' cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método '{0}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceFailureNoExplicitNoBest3"> <source>Data type(s) of the type parameter(s) in extension method '{0}' defined in '{1}' cannot be inferred from these arguments because they do not convert to the same type.</source> <target state="translated">Los tipos de datos de los parámetros de tipo del método de extensión '{0}' definido en '{1}' no se pueden inferir de estos argumentos porque no se convierten en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatchStrictOff2"> <source>Option Strict On does not allow narrowing in implicit type conversions between method '{0}' and delegate '{1}'.</source> <target state="translated">Option Strict On no permite restricciones en conversiones de tipo implícitas entre el método '{0}' y el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InaccessibleReturnTypeOfMember2"> <source>'{0}' is not accessible in this context because the return type is not accessible.</source> <target state="translated">'{0}' no es accesible en este contexto porque el tipo de valor devuelto no es accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedIdentifierOrGroup"> <source>'Group' or an identifier expected.</source> <target state="translated">'Se esperaba 'Group' o un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_UnexpectedGroup"> <source>'Group' not allowed in this context; identifier expected.</source> <target state="translated">'No se permite 'Group' en este contexto; se esperaba un identificador.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingMismatchStrictOff3"> <source>Option Strict On does not allow narrowing in implicit type conversions between extension method '{0}' defined in '{2}' and delegate '{1}'.</source> <target state="translated">Option Strict On no permite reducciones en conversiones de tipo implícito entre el método de extensión '{0}' definido en '{2}' y el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DelegateBindingIncompatible3"> <source>Extension Method '{0}' defined in '{2}' does not have a signature compatible with delegate '{1}'.</source> <target state="translated">El método de extensión '{0}' definido en '{2}' no tiene una firma compatible con el delegado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ArgumentNarrowing2"> <source>Argument matching parameter '{0}' narrows to '{1}'.</source> <target state="translated">El parámetro '{0}' correspondiente al argumento se reduce a '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadCandidate1"> <source> {0}</source> <target state="translated"> {0}</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyInitializedInStructure"> <source>Auto-implemented Properties contained in Structures cannot have initializers unless they are marked 'Shared'.</source> <target state="translated">Las propiedades implementadas automáticamente contenidas en estructuras no pueden tener inicializadores a menos que se marquen como 'Shared'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsElements"> <source>XML elements cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar elementos XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsAttributes"> <source>XML attributes cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar atributos XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeDisallowsDescendants"> <source>XML descendant elements cannot be selected from type '{0}'.</source> <target state="translated">No se pueden seleccionar elementos descendientes XML del tipo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeOrMemberNotGeneric2"> <source>Extension method '{0}' defined in '{1}' is not generic (or has no free type parameters) and so cannot have type arguments.</source> <target state="translated">El método de extensión '{0}' definido en '{1}' no es genérico (o no tiene parámetros de tipo libre) y, por tanto, no puede tener argumentos de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_ExtensionMethodCannotBeLateBound"> <source>Late-bound extension methods are not supported.</source> <target state="translated">No se admiten métodos de extensión enlazados en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="ERR_TypeInferenceArrayRankMismatch1"> <source>Cannot infer a data type for '{0}' because the array dimensions do not match.</source> <target state="translated">No se puede inferir un tipo de datos para '{0}' porque las dimensiones de la matriz no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_QueryStrictDisallowImplicitObject"> <source>Type of the range variable cannot be inferred, and late binding is not allowed with Option Strict on. Use an 'As' clause to specify the type.</source> <target state="translated">El tipo de la variable de rango no se puede inferir y el enlace en tiempo de ejecución no se permite con Option Strict activado. Use una cláusula 'As' para especificar el tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotEmbedInterfaceWithGeneric"> <source>Type '{0}' cannot be embedded because it has generic argument. Consider disabling the embedding of interop types.</source> <target state="translated">El tipo '{0}' no se puede incrustar porque tiene un argumento genérico. Puede deshabilitar la incrustación de tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotUseGenericTypeAcrossAssemblyBoundaries"> <source>Type '{0}' cannot be used across assembly boundaries because it has a generic type argument that is an embedded interop type.</source> <target state="translated">El tipo "{0}" no se puede usar en los distintos límites de ensamblado porque tiene un argumento de tipo genérico que es un tipo de interoperabilidad incrustado.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbol2"> <source>'{0}' is obsolete: '{1}'.</source> <target state="translated">'{0}' está obsoleto: '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbol2_Title"> <source>Type or member is obsolete</source> <target state="translated">El tipo o el miembro están obsoletos</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverloadBase4"> <source>{0} '{1}' shadows an overloadable member declared in the base {2} '{3}'. If you want to overload the base method, this method must be declared 'Overloads'.</source> <target state="translated">{0} '{1}' prevalece sobre un miembro que se puede sobrecargar declarado en la base {2} '{3}'. Si quiere sobrecargar el método base, este método se debe declarar como 'Overloads'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverloadBase4_Title"> <source>Member shadows an overloadable member declared in the base type</source> <target state="translated">El miembro crea una instantánea de un miembro que se puede sobrecargar declarado en el tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_OverrideType5"> <source>{0} '{1}' conflicts with {2} '{1}' in the base {3} '{4}' and should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con {2} '{1}' en la base {3} '{4}' y se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_OverrideType5_Title"> <source>Member conflicts with member in the base type and should be declared 'Shadows'</source> <target state="translated">El miembro está en conflicto con el miembro del tipo base y se debe declarar como 'Shadows'</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverride2"> <source>{0} '{1}' shadows an overridable method in the base {2} '{3}'. To override the base method, this method must be declared 'Overrides'.</source> <target state="translated">{0} '{1}' prevalece sobre un método que se puede invalidar en la base {2} '{3}'. Para invalidar el método base, este método se debe declarar como 'Overrides'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustOverride2_Title"> <source>Member shadows an overridable method in the base type</source> <target state="translated">El miembro crea una instantánea de un método que se puede sobrecargar en el tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_DefaultnessShadowed4"> <source>Default property '{0}' conflicts with the default property '{1}' in the base {2} '{3}'. '{0}' will be the default property. '{0}' should be declared 'Shadows'.</source> <target state="translated">La propiedad predeterminada '{0}' entra en conflicto con la propiedad predeterminada '{1}' en la base {2} '{3}'. '{0}' será la propiedad predeterminada. '{0}' se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_DefaultnessShadowed4_Title"> <source>Default property conflicts with the default property in the base type</source> <target state="translated">La propiedad predeterminada está en conflicto con la propiedad predeterminada del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbolNoMessage1"> <source>'{0}' is obsolete.</source> <target state="translated">'{0}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoleteSymbolNoMessage1_Title"> <source>Type or member is obsolete</source> <target state="translated">El tipo o el miembro están obsoletos</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration0"> <source>Possible problem detected while building assembly: {0}</source> <target state="translated">Posible problema detectado al compilar el ensamblado: {0}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration0_Title"> <source>Possible problem detected while building assembly</source> <target state="translated">Se ha detectado un posible problema al compilar el ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration1"> <source>Possible problem detected while building assembly '{0}': {1}</source> <target state="translated">Posible problema detectado al compilar el ensamblado '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyGeneration1_Title"> <source>Possible problem detected while building assembly</source> <target state="translated">Se ha detectado un posible problema al compilar el ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassNoMembers1"> <source>'Microsoft.VisualBasic.ComClassAttribute' is specified for class '{0}' but '{0}' has no public members that can be exposed to COM; therefore, no COM interfaces are generated.</source> <target state="translated">'Se ha especificado 'Microsoft.VisualBasic.ComClassAttribute' para la clase '{0}', pero '{0}' no tiene miembros públicos que se puedan exponer a COM; por tanto, no se ha generado ninguna interfaz COM.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassNoMembers1_Title"> <source>'Microsoft.VisualBasic.ComClassAttribute' is specified for class but class has no public members that can be exposed to COM</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' está especificado para la clase pero esta no tiene miembros públicos que se puedan exponer en COM</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsMember5"> <source>{0} '{1}' implicitly declares '{2}', which conflicts with a member in the base {3} '{4}', and so the {0} should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' declara implícitamente a '{2}', que entra en conflicto con un miembro de la base {3} '{4}' y, por lo tanto, el {0} se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsMember5_Title"> <source>Property or event implicitly declares type or member that conflicts with a member in the base type</source> <target state="translated">La propiedad o el evento se declaran implícitamente al tipo o al miembro que está en conflicto con un miembro del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_MemberShadowsSynthMember6"> <source>{0} '{1}' conflicts with a member implicitly declared for {2} '{3}' in the base {4} '{5}' and should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con un miembro implícitamente declarado para {2} '{3}' en la base {4} '{5}' y se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_MemberShadowsSynthMember6_Title"> <source>Member conflicts with a member implicitly declared for property or event in the base type</source> <target state="translated">El miembro está en conflicto con un miembro declarado implícitamente para la propiedad o el evento del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsSynthMember7"> <source>{0} '{1}' implicitly declares '{2}', which conflicts with a member implicitly declared for {3} '{4}' in the base {5} '{6}'. {0} should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' declara implícitamente a '{2}', que entra en conflicto con un miembro declarado implícitamente para {3} '{4}' en la base {5} '{6}'. {0} se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_SynthMemberShadowsSynthMember7_Title"> <source>Property or event implicitly declares member, which conflicts with a member implicitly declared for property or event in the base type</source> <target state="translated">La propiedad o el evento declaran implícitamente al miembro, lo que crea un conflicto con la declaración implícita de un miembro para la propiedad o el evento del tipo base</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor3"> <source>'{0}' accessor of '{1}' is obsolete: '{2}'.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto: '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor3_Title"> <source>Property accessor is obsolete</source> <target state="translated">El descriptor de acceso de la propiedad está obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor2"> <source>'{0}' accessor of '{1}' is obsolete.</source> <target state="translated">'El descriptor de acceso '{0}' de '{1}' está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_UseOfObsoletePropertyAccessor2_Title"> <source>Property accessor is obsolete</source> <target state="translated">El descriptor de acceso de la propiedad está obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_FieldNotCLSCompliant1"> <source>Type of member '{0}' is not CLS-compliant.</source> <target state="translated">El tipo del miembro '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_FieldNotCLSCompliant1_Title"> <source>Type of member is not CLS-compliant</source> <target state="translated">El tipo de miembro no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_BaseClassNotCLSCompliant2"> <source>'{0}' is not CLS-compliant because it derives from '{1}', which is not CLS-compliant.</source> <target state="translated">'{0}' no es conforme a CLS porque deriva de '{1}', que no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_BaseClassNotCLSCompliant2_Title"> <source>Type is not CLS-compliant because it derives from base type that is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS porque se deriva de un tipo de base que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ProcTypeNotCLSCompliant1"> <source>Return type of function '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de valor devuelto de la función '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_ProcTypeNotCLSCompliant1_Title"> <source>Return type of function is not CLS-compliant</source> <target state="translated">El tipo de retorno de la función no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ParamNotCLSCompliant1"> <source>Type of parameter '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de parámetro '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_ParamNotCLSCompliant1_Title"> <source>Type of parameter is not CLS-compliant</source> <target state="translated">El tipo de parámetro no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_InheritedInterfaceNotCLSCompliant2"> <source>'{0}' is not CLS-compliant because the interface '{1}' it inherits from is not CLS-compliant.</source> <target state="translated">'{0}' no es conforme a CLS porque la interfaz '{1}' de la que se hereda no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_InheritedInterfaceNotCLSCompliant2_Title"> <source>Type is not CLS-compliant because the interface it inherits from is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS porque la interfaz de la que se hereda no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_CLSMemberInNonCLSType3"> <source>{0} '{1}' cannot be marked CLS-compliant because its containing type '{2}' is not CLS-compliant.</source> <target state="translated">{0} '{1}' no se puede marcar como conforme a CLS porque el tipo contenedor '{2}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSMemberInNonCLSType3_Title"> <source>Member cannot be marked CLS-compliant because its containing type is not CLS-compliant</source> <target state="translated">El miembro no se puede marcar como conforme a CLS porque contiene un tipo que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NameNotCLSCompliant1"> <source>Name '{0}' is not CLS-compliant.</source> <target state="translated">El nombre '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NameNotCLSCompliant1_Title"> <source>Name is not CLS-compliant</source> <target state="translated">El nombre no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_EnumUnderlyingTypeNotCLS1"> <source>Underlying type '{0}' of Enum is not CLS-compliant.</source> <target state="translated">El tipo subyacente “{0}” de la enumeración no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_EnumUnderlyingTypeNotCLS1_Title"> <source>Underlying type of Enum is not CLS-compliant</source> <target state="translated">El tipo subyacente de enumeración no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMemberInCLSInterface1"> <source>Non CLS-compliant '{0}' is not allowed in a CLS-compliant interface.</source> <target state="translated">No se permite '{0}' no conforme a CLS en una interfaz conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMemberInCLSInterface1_Title"> <source>Non CLS-compliant member is not allowed in a CLS-compliant interface</source> <target state="translated">No se permite el miembro que no es conforme a CLS en una interfaz conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMustOverrideInCLSType1"> <source>Non CLS-compliant 'MustOverride' member is not allowed in CLS-compliant type '{0}'.</source> <target state="translated">No se permite el miembro 'Mustoverride' no conforme a CLS en el tipo '{0}' conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_NonCLSMustOverrideInCLSType1_Title"> <source>Non CLS-compliant 'MustOverride' member is not allowed in CLS-compliant type</source> <target state="translated">No se permite el miembro 'MustOverride' que no es conforme a CLS en un tipo conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayOverloadsNonCLS2"> <source>'{0}' is not CLS-compliant because it overloads '{1}' which differs from it only by array of array parameter types or by the rank of the array parameter types.</source> <target state="translated">'{0}' no es conforme a CLS porque sobrecarga a '{1}' que solo difiere de él en la matriz de tipos de parámetro de matriz o en el rango de los tipos de parámetro de matriz.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayOverloadsNonCLS2_Title"> <source>Method is not CLS-compliant because it overloads method which differs from it only by array of array parameter types or by the rank of the array parameter types</source> <target state="translated">El método no es conforme a CLS porque sobrecarga el método que se difiere de él solo por tipos de parámetros de matriz a matriz o por el rango de los tipos de parámetros de matriz</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant1"> <source>Root namespace '{0}' is not CLS-compliant.</source> <target state="translated">El espacio de nombres raíz '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant1_Title"> <source>Root namespace is not CLS-compliant</source> <target state="translated">El espacio de nombres raíz no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant2"> <source>Name '{0}' in the root namespace '{1}' is not CLS-compliant.</source> <target state="translated">El nombre '{0}' del espacio de nombres raíz '{1}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_RootNamespaceNotCLSCompliant2_Title"> <source>Part of the root namespace is not CLS-compliant</source> <target state="translated">Parte del espacio de nombres raíz no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_GenericConstraintNotCLSCompliant1"> <source>Generic parameter constraint type '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de restricción del parámetro genérico '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_GenericConstraintNotCLSCompliant1_Title"> <source>Generic parameter constraint type is not CLS-compliant</source> <target state="translated">El tipo de restricción del parámetro genérico no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_TypeNotCLSCompliant1"> <source>Type '{0}' is not CLS-compliant.</source> <target state="translated">El tipo '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeNotCLSCompliant1_Title"> <source>Type is not CLS-compliant</source> <target state="translated">El tipo no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_OptionalValueNotCLSCompliant1"> <source>Type of optional value for optional parameter '{0}' is not CLS-compliant.</source> <target state="translated">El tipo de valor opcional para el parámetro opcional '{0}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_OptionalValueNotCLSCompliant1_Title"> <source>Type of optional value for optional parameter is not CLS-compliant</source> <target state="translated">El tipo de valor opcional para el parámetro opcional no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_CLSAttrInvalidOnGetSet"> <source>System.CLSCompliantAttribute cannot be applied to property 'Get' or 'Set'.</source> <target state="translated">System.CLSCompliantAttribute no se puede aplicar a la propiedad 'Get' o 'Set'.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSAttrInvalidOnGetSet_Title"> <source>System.CLSCompliantAttribute cannot be applied to property 'Get' or 'Set'</source> <target state="translated">No se puede aplicar System.CLSCompliantAttribute a la propiedad 'Get' o 'Set'</target> <note /> </trans-unit> <trans-unit id="WRN_TypeConflictButMerged6"> <source>{0} '{1}' and partial {2} '{3}' conflict in {4} '{5}', but are being merged because one of them is declared partial.</source> <target state="translated">{0} '{1}' y {2} '{3}' parcial entran en conflicto en {4} '{5}', pero se van a fusionar mediante combinación porque uno de ellos está declarado como parcial.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeConflictButMerged6_Title"> <source>Type and partial type conflict, but are being merged because one of them is declared partial</source> <target state="translated">Conflicto entre el tipo y el tipo parcial; se han fusionado mediante combinación porque uno de ellos se declara como parcial</target> <note /> </trans-unit> <trans-unit id="WRN_ShadowingGenericParamWithParam1"> <source>Type parameter '{0}' has the same name as a type parameter of an enclosing type. Enclosing type's type parameter will be shadowed.</source> <target state="translated">El parámetro de tipo '{0}' tiene el mismo nombre que el parámetro de tipo de un tipo envolvente. Prevalecerá sobre el parámetro de tipo del tipo envolvente.</target> <note /> </trans-unit> <trans-unit id="WRN_ShadowingGenericParamWithParam1_Title"> <source>Type parameter has the same name as a type parameter of an enclosing type</source> <target state="translated">El parámetro tipo tiene el mismo nombre que el parámetro tipo de un tipo envolvente</target> <note /> </trans-unit> <trans-unit id="WRN_CannotFindStandardLibrary1"> <source>Could not find standard library '{0}'.</source> <target state="translated">No se encontró la biblioteca estándar '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_CannotFindStandardLibrary1_Title"> <source>Could not find standard library</source> <target state="translated">Falta la biblioteca estándar</target> <note /> </trans-unit> <trans-unit id="WRN_EventDelegateTypeNotCLSCompliant2"> <source>Delegate type '{0}' of event '{1}' is not CLS-compliant.</source> <target state="translated">El tipo delegado '{0}' del evento '{1}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_EventDelegateTypeNotCLSCompliant2_Title"> <source>Delegate type of event is not CLS-compliant</source> <target state="translated">El tipo delegado del evento no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_DebuggerHiddenIgnoredOnProperties"> <source>System.Diagnostics.DebuggerHiddenAttribute does not affect 'Get' or 'Set' when applied to the Property definition. Apply the attribute directly to the 'Get' and 'Set' procedures as appropriate.</source> <target state="translated">System.Diagnostics.DebuggerHiddenAttribute no afecta a 'Get' o 'Set' cuando se aplica a la definición Property. Aplique el atributo directamente a los procedimientos 'Get' y 'Set' como corresponda.</target> <note /> </trans-unit> <trans-unit id="WRN_DebuggerHiddenIgnoredOnProperties_Title"> <source>System.Diagnostics.DebuggerHiddenAttribute does not affect 'Get' or 'Set' when applied to the Property definition</source> <target state="translated">System.Diagnostics.DebuggerHiddenAttribute no afecta a 'Get' o 'Set' cuando se aplica a la definición de propiedad</target> <note /> </trans-unit> <trans-unit id="WRN_SelectCaseInvalidRange"> <source>Range specified for 'Case' statement is not valid. Make sure that the lower bound is less than or equal to the upper bound.</source> <target state="translated">El intervalo especificado para la instrucción 'Case' no es válido. Asegúrese de que el límite inferior sea menor o igual que el límite superior.</target> <note /> </trans-unit> <trans-unit id="WRN_SelectCaseInvalidRange_Title"> <source>Range specified for 'Case' statement is not valid</source> <target state="translated">El rango especificado para la instrucción 'Case' no es válido</target> <note /> </trans-unit> <trans-unit id="WRN_CLSEventMethodInNonCLSType3"> <source>'{0}' method for event '{1}' cannot be marked CLS compliant because its containing type '{2}' is not CLS compliant.</source> <target state="translated">'El método '{0}' del evento '{1}' no se puede marcar como conforme a CLS porque el tipo contenedor '{2}' no es conforme a CLS.</target> <note /> </trans-unit> <trans-unit id="WRN_CLSEventMethodInNonCLSType3_Title"> <source>AddHandler or RemoveHandler method for event cannot be marked CLS compliant because its containing type is not CLS compliant</source> <target state="translated">No se pueden marcar los métodos AddHandler o RemoveHandler para el evento como conformes a CLS porque contienen un tipo que no es conforme a CLS</target> <note /> </trans-unit> <trans-unit id="WRN_ExpectedInitComponentCall2"> <source>'{0}' in designer-generated type '{1}' should call InitializeComponent method.</source> <target state="translated">'{0}', en el tipo generado por el diseñador '{1}', debe llamar al método InitializeComponent.</target> <note /> </trans-unit> <trans-unit id="WRN_ExpectedInitComponentCall2_Title"> <source>Constructor in designer-generated type should call InitializeComponent method</source> <target state="translated">El constructor del tipo generado por el diseñador debe llamar al método InitializeComponent</target> <note /> </trans-unit> <trans-unit id="WRN_NamespaceCaseMismatch3"> <source>Casing of namespace name '{0}' does not match casing of namespace name '{1}' in '{2}'.</source> <target state="translated">Las mayúsculas y minúsculas del nombre de espacio de nombres '{0}' no coinciden con las del nombre de espacio de nombres '{1}' en '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_NamespaceCaseMismatch3_Title"> <source>Casing of namespace name does not match</source> <target state="translated">El uso de mayúsculas y minúsculas en el nombre del espacio de nombres no coincide</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyNamespaceOrClass1"> <source>Namespace or type specified in the Imports '{0}' doesn't contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn't use any aliases.</source> <target state="translated">El espacio de nombres o el tipo especificado en el '{0}' Imports no contienen ningún miembro público o no se encuentran. Asegúrese de que el espacio de nombres o el tipo se hayan definido y de que contengan al menos un miembro público. Asegúrese de que el nombre del elemento importado no use ningún alias.</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyNamespaceOrClass1_Title"> <source>Namespace or type specified in Imports statement doesn't contain any public member or cannot be found</source> <target state="translated">Falta el espacio de nombre o el tipo especificados en la instrucción Imports o no contienen ningún miembro público</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyProjectNamespaceOrClass1"> <source>Namespace or type specified in the project-level Imports '{0}' doesn't contain any public member or cannot be found. Make sure the namespace or the type is defined and contains at least one public member. Make sure the imported element name doesn't use any aliases.</source> <target state="translated">El espacio de nombres o tipo especificado en las importaciones de nivel de proyecto '{0}' no contienen ningún miembro público o no se encuentran. Asegúrese de que el espacio de nombres o el tipo se hayan definido y de que contengan al menos un miembro público. Asegúrese de que el nombre del elemento importado no utilice ningún alias.</target> <note /> </trans-unit> <trans-unit id="WRN_UndefinedOrEmptyProjectNamespaceOrClass1_Title"> <source>Namespace or type imported at project level doesn't contain any public member or cannot be found</source> <target state="translated">Falta el espacio de nombre o el tipo importados al nivel de proyecto o no contienen ningún miembro público</target> <note /> </trans-unit> <trans-unit id="WRN_IndirectRefToLinkedAssembly2"> <source>A reference was created to embedded interop assembly '{0}' because of an indirect reference to that assembly from assembly '{1}'. Consider changing the 'Embed Interop Types' property on either assembly.</source> <target state="translated">Se creó una referencia al ensamblado de interoperabilidad '{0}' incrustado debido a una referencia indirecta a ese ensamblado desde el ensamblado '{1}'. Puede cambiar la propiedad 'Incrustar tipos de interoperabilidad' en cualquiera de los ensamblados.</target> <note /> </trans-unit> <trans-unit id="WRN_IndirectRefToLinkedAssembly2_Title"> <source>A reference was created to embedded interop assembly because of an indirect reference to that assembly</source> <target state="translated">Se creó una referencia para insertar un ensamblado de interoperabilidad debido a una referencia indirecta a dicho ensamblado</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase3"> <source>Class '{0}' should declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase3_Title"> <source>Class should declare a 'Sub New' because the constructor in its base class is marked obsolete</source> <target state="translated">La clase debe declarar un 'Sub New' porque el constructor de su clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase4"> <source>Class '{0}' should declare a 'Sub New' because the '{1}' in its base class '{2}' is marked obsolete: '{3}'.</source> <target state="translated">La clase '{0}' debe declarar 'Sub New' porque el '{1}' de su clase base '{2}' está marcado como obsoleto: '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_NoNonObsoleteConstructorOnBase4_Title"> <source>Class should declare a 'Sub New' because the constructor in its base class is marked obsolete</source> <target state="translated">La clase debe declarar un 'Sub New' porque el constructor de su clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall3"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete.</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el '{0}' de la clase base '{1}' de '{2}' está marcado como obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall3_Title"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the constructor in the base class is marked obsolete</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el constructor de la clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall4"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the '{0}' in the base class '{1}' of '{2}' is marked obsolete: '{3}'</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el '{0}' de la clase base '{1}' de '{2}' está marcado como obsoleto: '{3}'</target> <note /> </trans-unit> <trans-unit id="WRN_RequiredNonObsoleteNewCall4_Title"> <source>First statement of this 'Sub New' should be an explicit call to 'MyBase.New' or 'MyClass.New' because the constructor in the base class is marked obsolete</source> <target state="translated">La primera instrucción de este 'Sub New' debe ser una llamada explícita a 'MyBase.New' o 'MyClass.New' porque el constructor de la clase base está marcado como obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinOperator"> <source>Operator without an 'As' clause; type of Object assumed.</source> <target state="translated">Operador sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinOperator_Title"> <source>Operator without an 'As' clause</source> <target state="translated">Operador sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ConstraintsFailedForInferredArgs2"> <source>Type arguments inferred for method '{0}' result in the following warnings :{1}</source> <target state="translated">Los argumentos de tipo inferidos para el método '{0}' generan las siguientes advertencias :{1}</target> <note /> </trans-unit> <trans-unit id="WRN_ConstraintsFailedForInferredArgs2_Title"> <source>Type arguments inferred for method result in warnings</source> <target state="translated">Los argumentos de tipo inferidos para el método dan advertencias como resultado</target> <note /> </trans-unit> <trans-unit id="WRN_ConditionalNotValidOnFunction"> <source>Attribute 'Conditional' is only valid on 'Sub' declarations.</source> <target state="translated">El atributo 'Conditional' solo es válido en declaraciones 'Sub'.</target> <note /> </trans-unit> <trans-unit id="WRN_ConditionalNotValidOnFunction_Title"> <source>Attribute 'Conditional' is only valid on 'Sub' declarations</source> <target state="translated">El atributo 'Conditional' solo es válido en declaraciones 'Sub'</target> <note /> </trans-unit> <trans-unit id="WRN_UseSwitchInsteadOfAttribute"> <source>Use command-line option '{0}' or appropriate project settings instead of '{1}'.</source> <target state="translated">Use la opción de la línea de comandos '{0}' o una configuración de proyecto apropiada en lugar de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UseSwitchInsteadOfAttribute_Title"> <source>Use command-line option /keyfile, /keycontainer, or /delaysign instead of AssemblyKeyFileAttribute, AssemblyKeyNameAttribute, or AssemblyDelaySignAttribute</source> <target state="translated">Use la opción de línea de comandos /keyfile, /keycontainer o /delaysign en lugar de AssemblyKeyFileAttribute, AssemblyKeyNameAttribute o AssemblyDelaySignAttribute</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveAddHandlerCall"> <source>Statement recursively calls the containing '{0}' for event '{1}'.</source> <target state="translated">La instrucción llama recursivamente al elemento contenedor '{0}' para el evento '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveAddHandlerCall_Title"> <source>Statement recursively calls the event's containing AddHandler</source> <target state="translated">La instrucción llama recursivamente al evento que contiene AddHandler</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionCopyBack"> <source>Implicit conversion from '{1}' to '{2}' in copying the value of 'ByRef' parameter '{0}' back to the matching argument.</source> <target state="translated">Conversión implícita de '{1}' a '{2}' al volver a copiar el valor del parámetro 'ByRef' '{0}' en el argumento correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionCopyBack_Title"> <source>Implicit conversion in copying the value of 'ByRef' parameter back to the matching argument</source> <target state="translated">Conversión implícita al volver a copiar el valor del parámetro 'ByRef' en el argumento coincidente</target> <note /> </trans-unit> <trans-unit id="WRN_MustShadowOnMultipleInheritance2"> <source>{0} '{1}' conflicts with other members of the same name across the inheritance hierarchy and so should be declared 'Shadows'.</source> <target state="translated">{0} '{1}' entra en conflicto con otros miembros del mismo nombre en la jerarquía de herencia y, por tanto, se debe declarar como 'Shadows'.</target> <note /> </trans-unit> <trans-unit id="WRN_MustShadowOnMultipleInheritance2_Title"> <source>Method conflicts with other members of the same name across the inheritance hierarchy and so should be declared 'Shadows'</source> <target state="translated">El método está en conflicto con otros miembros del mismo nombre en la jerarquía de herencia y, por lo tanto, se debe declarar como “Shadows”</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveOperatorCall"> <source>Expression recursively calls the containing Operator '{0}'.</source> <target state="translated">La expresión llama recursivamente al operador '{0}' contenedor.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursiveOperatorCall_Title"> <source>Expression recursively calls the containing Operator</source> <target state="translated">La expresión llama recursivamente al operador que contiene</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversion2"> <source>Implicit conversion from '{0}' to '{1}'.</source> <target state="translated">Conversión implícita de '{0}' a '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversion2_Title"> <source>Implicit conversion</source> <target state="translated">Conversión implícita</target> <note /> </trans-unit> <trans-unit id="WRN_MutableStructureInUsing"> <source>Local variable '{0}' is read-only and its type is a structure. Invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the 'Using' block.</source> <target state="translated">La variable local '{0}' es de solo lectura y su tipo es una estructura. Si se invocan sus miembros o se pasa ByRef, no cambia su contenido y puede dar lugar a resultados inesperados. Puede declarar esta variable fuera del bloque 'Using'.</target> <note /> </trans-unit> <trans-unit id="WRN_MutableStructureInUsing_Title"> <source>Local variable declared by Using statement is read-only and its type is a structure</source> <target state="translated">La variable local declarada por la instrucción Using es de solo lectura y su tipo es una estructura</target> <note /> </trans-unit> <trans-unit id="WRN_MutableGenericStructureInUsing"> <source>Local variable '{0}' is read-only. When its type is a structure, invoking its members or passing it ByRef does not change its content and might lead to unexpected results. Consider declaring this variable outside of the 'Using' block.</source> <target state="translated">La variable local '{0}' es de solo lectura. Cuando su tipo es una estructura, si se invocan sus miembros o se pasa ByRef, no cambia su contenido y puede dar lugar a resultados inesperados. Puede declarar esta variable fuera del bloque 'Using'.</target> <note /> </trans-unit> <trans-unit id="WRN_MutableGenericStructureInUsing_Title"> <source>Local variable declared by Using statement is read-only and its type may be a structure</source> <target state="translated">La variable local declarada por la instrucción Using es de solo lectura y es posible que su tipo sea una estructura</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionSubst1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ImplicitConversionSubst1_Title"> <source>Implicit conversion</source> <target state="translated">Conversión implícita</target> <note /> </trans-unit> <trans-unit id="WRN_LateBindingResolution"> <source>Late bound resolution; runtime errors could occur.</source> <target state="translated">Resolución enlazada en tiempo de ejecución; pueden darse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_LateBindingResolution_Title"> <source>Late bound resolution</source> <target state="translated">Resolución enlazada en tiempo de ejecución</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1"> <source>Operands of type Object used for operator '{0}'; use the 'Is' operator to test object identity.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; use el operador 'Is' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1_Title"> <source>Operands of type Object used for operator</source> <target state="translated">Operandos de tipo Object usados para el operador</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath2"> <source>Operands of type Object used for operator '{0}'; runtime errors could occur.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; pueden darse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath2_Title"> <source>Operands of type Object used for operator</source> <target state="translated">Operandos de tipo Object usados para el operador</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedVar1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedVar1_Title"> <source>Variable declaration without an 'As' clause</source> <target state="translated">Declaración de variable sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumed1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumed1_Title"> <source>Function without an 'As' clause</source> <target state="translated">Función sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedProperty1"> <source>{0}</source> <target state="translated">{0}</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectAssumedProperty1_Title"> <source>Property without an 'As' clause</source> <target state="translated">Propiedad sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinVarDecl"> <source>Variable declaration without an 'As' clause; type of Object assumed.</source> <target state="translated">Declaración de variable sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinVarDecl_Title"> <source>Variable declaration without an 'As' clause</source> <target state="translated">Declaración de variable sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinFunction"> <source>Function without an 'As' clause; return type of Object assumed.</source> <target state="translated">Función sin una cláusula 'As'; se supone un tipo de valor devuelto de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinFunction_Title"> <source>Function without an 'As' clause</source> <target state="translated">Función sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinProperty"> <source>Property without an 'As' clause; type of Object assumed.</source> <target state="translated">La propiedad no tiene una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_MissingAsClauseinProperty_Title"> <source>Property without an 'As' clause</source> <target state="translated">Propiedad sin cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocal"> <source>Unused local variable: '{0}'.</source> <target state="translated">Variable local sin usar: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocal_Title"> <source>Unused local variable</source> <target state="translated">Variable local no usada</target> <note /> </trans-unit> <trans-unit id="WRN_SharedMemberThroughInstance"> <source>Access of shared member, constant member, enum member or nested type through an instance; qualifying expression will not be evaluated.</source> <target state="translated">Acceso de miembro compartido, miembro de constante, miembro de enumeración o tipo anidado a través de una instancia; la expresión de calificación no se evaluará.</target> <note /> </trans-unit> <trans-unit id="WRN_SharedMemberThroughInstance_Title"> <source>Access of shared member, constant member, enum member or nested type through an instance</source> <target state="translated">Acceso del miembro compartido, el miembro de constante, el miembro de enumeración o el tipo anidado a través de una instancia</target> <note /> </trans-unit> <trans-unit id="WRN_RecursivePropertyCall"> <source>Expression recursively calls the containing property '{0}'.</source> <target state="translated">La expresión llama recursivamente a la propiedad '{0}' contenedora.</target> <note /> </trans-unit> <trans-unit id="WRN_RecursivePropertyCall_Title"> <source>Expression recursively calls the containing property</source> <target state="translated">La expresión llama recursivamente a la propiedad que contiene</target> <note /> </trans-unit> <trans-unit id="WRN_OverlappingCatch"> <source>'Catch' block never reached, because '{0}' inherits from '{1}'.</source> <target state="translated">'Nunca se alcanzó el bloque 'Catch' porque '{0}' hereda de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_OverlappingCatch_Title"> <source>'Catch' block never reached; exception type's base type handled above in the same Try statement</source> <target state="translated">'El bloque 'Catch' nunca se alcanzó. El tipo base del tipo de excepción se administró anteriormente en la misma instrucción Try.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRef"> <source>Variable '{0}' is passed by reference before it has been assigned a value. A null reference exception could result at runtime.</source> <target state="translated">La variable '{0}' se ha pasado como referencia antes de haberle asignado un valor. Podría darse una excepción de referencia NULL en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRef_Title"> <source>Variable is passed by reference before it has been assigned a value</source> <target state="translated">La referencia pasa una variable ates de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DuplicateCatch"> <source>'Catch' block never reached; '{0}' handled above in the same Try statement.</source> <target state="translated">'No se alcanzó el bloque 'Catch'; '{0}' se controla anteriormente en la misma instrucción Try.</target> <note /> </trans-unit> <trans-unit id="WRN_DuplicateCatch_Title"> <source>'Catch' block never reached; exception type handled above in the same Try statement</source> <target state="translated">'Nunca se alcanzó el bloque 'Catch'; el tipo de excepción se gestionó anteriormente en la misma instrucción Try</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1Not"> <source>Operands of type Object used for operator '{0}'; use the 'IsNot' operator to test object identity.</source> <target state="translated">Se han usado operandos del tipo Object para el operador '{0}'; use el operador 'IsNot' para probar la identidad del objeto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMath1Not_Title"> <source>Operands of type Object used for operator &lt;&gt;</source> <target state="translated">Operandos de tipo Object usados para el operador &lt;&gt;</target> <note /> </trans-unit> <trans-unit id="WRN_BadChecksumValExtChecksum"> <source>Bad checksum value, non hex digits or odd number of hex digits.</source> <target state="translated">El valor de suma de comprobación es incorrecto, hay dígitos no hexadecimales o un número impar de dígitos hexadecimales.</target> <note /> </trans-unit> <trans-unit id="WRN_BadChecksumValExtChecksum_Title"> <source>Bad checksum value, non hex digits or odd number of hex digits</source> <target state="translated">El valor de suma de comprobación es incorrecto, hay dígitos no hexadecimales o un número impar de dígitos hexadecimales</target> <note /> </trans-unit> <trans-unit id="WRN_MultipleDeclFileExtChecksum"> <source>File name already declared with a different GUID and checksum value.</source> <target state="translated">El nombre de archivo ya está declarado con un GUID y un valor de suma de comprobación distintos.</target> <note /> </trans-unit> <trans-unit id="WRN_MultipleDeclFileExtChecksum_Title"> <source>File name already declared with a different GUID and checksum value</source> <target state="translated">El nombre de archivo ya está declarado con un GUID y un valor de suma de comprobación distintos</target> <note /> </trans-unit> <trans-unit id="WRN_BadGUIDFormatExtChecksum"> <source>Bad GUID format.</source> <target state="translated">Formato de GUID incorrecto.</target> <note /> </trans-unit> <trans-unit id="WRN_BadGUIDFormatExtChecksum_Title"> <source>Bad GUID format</source> <target state="translated">Formato de GUID incorrecto</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMathSelectCase"> <source>Operands of type Object used in expressions for 'Select', 'Case' statements; runtime errors could occur.</source> <target state="translated">Se han usado operandos del tipo Object en expresiones de instrucciones 'Select', 'Case'. Podrían producirse errores en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_ObjectMathSelectCase_Title"> <source>Operands of type Object used in expressions for 'Select', 'Case' statements</source> <target state="translated">Operandos de tipo Object usados en expresiones para las instrucciones 'Select' y 'Case'</target> <note /> </trans-unit> <trans-unit id="WRN_EqualToLiteralNothing"> <source>This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is null consider using 'Is Nothing'.</source> <target state="translated">Esta expresión siempre se evaluará como Nothing (debido a la propagación de tipo NULL del operador equals). Para comprobar si el valor es NULL, puede usar 'Is Nothing'.</target> <note /> </trans-unit> <trans-unit id="WRN_EqualToLiteralNothing_Title"> <source>This expression will always evaluate to Nothing</source> <target state="translated">Esta expresión siempre se evaluará como Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_NotEqualToLiteralNothing"> <source>This expression will always evaluate to Nothing (due to null propagation from the equals operator). To check if the value is not null consider using 'IsNot Nothing'.</source> <target state="translated">Esta expresión siempre se evaluará como Nothing (debido a la propagación de tipo NULL del operador equals). Para comprobar si el valor no es NULL, puede usar 'IsNot Nothing'.</target> <note /> </trans-unit> <trans-unit id="WRN_NotEqualToLiteralNothing_Title"> <source>This expression will always evaluate to Nothing</source> <target state="translated">Esta expresión siempre se evaluará como Nothing</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocalConst"> <source>Unused local constant: '{0}'.</source> <target state="translated">Constante local sin usar: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_UnusedLocalConst_Title"> <source>Unused local constant</source> <target state="translated">Constante local sin usar</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassInterfaceShadows5"> <source>'Microsoft.VisualBasic.ComClassAttribute' on class '{0}' implicitly declares {1} '{2}', which conflicts with a member of the same name in {3} '{4}'. Use 'Microsoft.VisualBasic.ComClassAttribute(InterfaceShadows:=True)' if you want to hide the name on the base {4}.</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' de la clase '{0}' declara implícitamente {1} '{2}', que entra en conflicto con un miembro del mismo nombre en {3} '{4}'. Use 'Microsoft.VisualBasic.ComClassAttribute(InterfaceShadows:=True)' si quiere ocultar el nombre en la base {4}.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassInterfaceShadows5_Title"> <source>'Microsoft.VisualBasic.ComClassAttribute' on class implicitly declares member, which conflicts with a member of the same name</source> <target state="translated">'Microsoft.VisualBasic.ComClassAttribute' de la clase declara implícitamente al miembro, lo que entra en conflicto con un miembro con el mismo nombre</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassPropertySetObject1"> <source>'{0}' cannot be exposed to COM as a property 'Let'. You will not be able to assign non-object values (such as numbers or strings) to this property from Visual Basic 6.0 using a 'Let' statement.</source> <target state="translated">'{0}' no se puede exponer a COM como una propiedad 'Let'. No podrá asignar valores que no sean de objeto (como números o cadenas) a esta propiedad desde Visual Basic 6.0 usando una instrucción 'Let'.</target> <note /> </trans-unit> <trans-unit id="WRN_ComClassPropertySetObject1_Title"> <source>Property cannot be exposed to COM as a property 'Let'</source> <target state="translated">La propiedad no se puede exponer en COM como una propiedad 'Let'</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRef"> <source>Variable '{0}' is used before it has been assigned a value. A null reference exception could result at runtime.</source> <target state="translated">La variable '{0}' se usa antes de que se le haya asignado un valor. Podría darse una excepción de referencia NULL en tiempo de ejecución.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRef_Title"> <source>Variable is used before it has been assigned a value</source> <target state="translated">Se usa la variable antes de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncRef1"> <source>Function '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">La función '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncRef1_Title"> <source>Function doesn't return a value on all code paths</source> <target state="translated">La función no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpRef1"> <source>Operator '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">El operador '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpRef1_Title"> <source>Operator doesn't return a value on all code paths</source> <target state="translated">El operador no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropRef1"> <source>Property '{0}' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.</source> <target state="translated">La propiedad '{0}' no devuelve un valor en todas las rutas de acceso de código. Puede producirse una excepción de referencia NULL en tiempo de ejecución cuando se use el resultado.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropRef1_Title"> <source>Property doesn't return a value on all code paths</source> <target state="translated">La propiedad no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRefStr"> <source>Variable '{0}' is passed by reference before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use</source> <target state="translated">La variable '{0}' se ha pasado como referencia antes de haberle asignado un valor. Podría producirse una excepción de referencia NULL en tiempo de ejecución. Asegúrese de que la estructura o todos los miembros de referencia se inicialicen antes de usarse.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefByRefStr_Title"> <source>Variable is passed by reference before it has been assigned a value</source> <target state="translated">La referencia pasa una variable ates de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefStr"> <source>Variable '{0}' is used before it has been assigned a value. A null reference exception could result at runtime. Make sure the structure or all the reference members are initialized before use</source> <target state="translated">La variable '{0}' se usa antes de que se le haya asignado un valor. Podría producirse una excepción de referencia NULL en tiempo de ejecución. Asegúrese de que la estructura o todos los miembros de referencia se inicialicen antes de usarse.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgUseNullRefStr_Title"> <source>Variable is used before it has been assigned a value</source> <target state="translated">Se usa la variable antes de que se le haya asignado un valor</target> <note /> </trans-unit> <trans-unit id="WRN_StaticLocalNoInference"> <source>Static variable declared without an 'As' clause; type of Object assumed.</source> <target state="translated">Variable estática declarada sin una cláusula 'As'; se supone el tipo de Object.</target> <note /> </trans-unit> <trans-unit id="WRN_StaticLocalNoInference_Title"> <source>Static variable declared without an 'As' clause</source> <target state="translated">Se ha declarado una variable estática sin una cláusula 'As'</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidAssemblyName"> <source>Assembly reference '{0}' is invalid and cannot be resolved.</source> <target state="translated">La referencia de ensamblado '{0}' no es válida y no se puede resolver.</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidAssemblyName_Title"> <source>Assembly reference is invalid and cannot be resolved</source> <target state="translated">La referencia de ensamblado no es válida y no se puede resolver</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadXMLLine"> <source>XML comment block must immediately precede the language element to which it applies. XML comment will be ignored.</source> <target state="translated">El bloque de comentario XML debe preceder directamente al elemento de lenguaje al que se aplica. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadXMLLine_Title"> <source>XML comment block must immediately precede the language element to which it applies</source> <target state="translated">El bloque de comentario XML debe preceder inmediatamente al elemento de idioma al que se aplica</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocMoreThanOneCommentBlock"> <source>Only one XML comment block is allowed per language element.</source> <target state="translated">Únicamente se permite un bloque de comentario XML por elemento de lenguaje.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocMoreThanOneCommentBlock_Title"> <source>Only one XML comment block is allowed per language element</source> <target state="translated">Solo se permite un bloque de comentario XML por elemento de lenguaje</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocNotFirstOnLine"> <source>XML comment must be the first statement on a line. XML comment will be ignored.</source> <target state="translated">El comentario XML debe ser la primera instrucción de una línea. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocNotFirstOnLine_Title"> <source>XML comment must be the first statement on a line</source> <target state="translated">El comentario XML debe ser la primera instrucción de una línea</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInsideMethod"> <source>XML comment cannot appear within a method or a property. XML comment will be ignored.</source> <target state="translated">El comentario XML no puede aparecer en un método o una propiedad. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInsideMethod_Title"> <source>XML comment cannot appear within a method or a property</source> <target state="translated">El comentario XML no puede aparecer dentro de un método o de una propiedad</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParseError1"> <source>XML documentation parse error: {0} XML comment will be ignored.</source> <target state="translated">Error de análisis de la documentación XML: se omitirá el comentario XML {0}.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParseError1_Title"> <source>XML documentation parse error</source> <target state="translated">Error de análisis de la documentación XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocDuplicateXMLNode1"> <source>XML comment tag '{0}' appears with identical attributes more than once in the same XML comment block.</source> <target state="translated">La etiqueta de comentario XML '{0}' aparece con atributos idénticos más de una vez en el mismo bloque de comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocDuplicateXMLNode1_Title"> <source>XML comment tag appears with identical attributes more than once in the same XML comment block</source> <target state="translated">La etiqueta de comentario XML aparece con atributos idénticos más de una vez en el mismo bloque de comentario XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocIllegalTagOnElement2"> <source>XML comment tag '{0}' is not permitted on a '{1}' language element.</source> <target state="translated">La etiqueta de comentario XML '{0}' no se permite en un elemento de idioma '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocIllegalTagOnElement2_Title"> <source>XML comment tag is not permitted on language element</source> <target state="translated">No se permite la etiqueta de comentario XML en un elemento de idioma</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadParamTag2"> <source>XML comment parameter '{0}' does not match a parameter on the corresponding '{1}' statement.</source> <target state="translated">El parámetro de comentario XML '{0}' no coincide con un parámetro de la instrucción '{1}' correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadParamTag2_Title"> <source>XML comment parameter does not match a parameter on the corresponding declaration statement</source> <target state="translated">El parámetro de comentario XML no coincide con un parámetro en la instrucción de declaración correspondiente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParamTagWithoutName"> <source>XML comment parameter must have a 'name' attribute.</source> <target state="translated">El parámetro de comentario XML debe tener un atributo 'name'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocParamTagWithoutName_Title"> <source>XML comment parameter must have a 'name' attribute</source> <target state="translated">El parámetro de comentario XML debe tener un atributo 'name'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefAttributeNotFound1"> <source>XML comment has a tag with a 'cref' attribute '{0}' that could not be resolved.</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' '{0}' que no se pudo resolver.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefAttributeNotFound1_Title"> <source>XML comment has a tag with a 'cref' attribute that could not be resolved</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' que no se pudo resolver</target> <note /> </trans-unit> <trans-unit id="WRN_XMLMissingFileOrPathAttribute1"> <source>XML comment tag 'include' must have a '{0}' attribute. XML comment will be ignored.</source> <target state="translated">La etiqueta de comentario XML 'include' debe tener un atributo '{0}'. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLMissingFileOrPathAttribute1_Title"> <source>XML comment tag 'include' must have 'file' and 'path' attributes</source> <target state="translated">La etiqueta de comentario XML 'include' debe tener los atributos 'file' y 'path'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLCannotWriteToXMLDocFile2"> <source>Unable to create XML documentation file '{0}': {1}</source> <target state="translated">No se puede crear el archivo de documentación XML '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="WRN_XMLCannotWriteToXMLDocFile2_Title"> <source>Unable to create XML documentation file</source> <target state="translated">No se puede crear el archivo de documentación XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocWithoutLanguageElement"> <source>XML documentation comments must precede member or type declarations.</source> <target state="translated">Los comentarios de documentación XML deben preceder a las declaraciones de miembros o tipos.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocWithoutLanguageElement_Title"> <source>XML documentation comments must precede member or type declarations</source> <target state="translated">Los comentarios de documentación XML deben preceder a las declaraciones de miembros o tipos</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnWriteOnlyProperty"> <source>XML comment tag 'returns' is not permitted on a 'WriteOnly' Property.</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en una propiedad 'WriteOnly'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnWriteOnlyProperty_Title"> <source>XML comment tag 'returns' is not permitted on a 'WriteOnly' Property</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en una propiedad 'WriteOnly'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocOnAPartialType"> <source>XML comment cannot be applied more than once on a partial {0}. XML comments for this {0} will be ignored.</source> <target state="translated">El comentario XML no se puede aplicar más de una vez en un {0} parcial. Se omitirán los comentarios XML para este {0}.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocOnAPartialType_Title"> <source>XML comment cannot be applied more than once on a partial type</source> <target state="translated">El comentario XML no se puede aplicar más de una vez en un tipo parcial</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnADeclareSub"> <source>XML comment tag 'returns' is not permitted on a 'declare sub' language element.</source> <target state="translated">La etiqueta de comentario XML 'returns' no se admite en un elemento de lenguaje 'declare sub'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocReturnsOnADeclareSub_Title"> <source>XML comment tag 'returns' is not permitted on a 'declare sub' language element</source> <target state="translated">No se permite la etiqueta de comentario XML 'returns' en un elemento de lenguaje 'declare sub'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocStartTagWithNoEndTag"> <source>XML documentation parse error: Start tag '{0}' doesn't have a matching end tag. XML comment will be ignored.</source> <target state="translated">Error de análisis de la documentación XML: la etiqueta de apertura '{0}' no tiene la correspondiente etiqueta de cierre. Se omitirá el comentario XML.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocStartTagWithNoEndTag_Title"> <source>XML documentation parse error: Start tag doesn't have a matching end tag</source> <target state="translated">Error de análisis de la documentación XML: la etiqueta de inicio no tiene una etiqueta de fin coincidente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadGenericParamTag2"> <source>XML comment type parameter '{0}' does not match a type parameter on the corresponding '{1}' statement.</source> <target state="translated">El parámetro de tipo de comentario XML '{0}' no coincide con un parámetro de tipo de la instrucción '{1}' correspondiente.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadGenericParamTag2_Title"> <source>XML comment type parameter does not match a type parameter on the corresponding declaration statement</source> <target state="translated">El parámetro de tipo de comentario XML no coincide con un parámetro de tipo de la instrucción de declaración correspondiente</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocGenericParamTagWithoutName"> <source>XML comment type parameter must have a 'name' attribute.</source> <target state="translated">El parámetro de tipo de comentario XML debe tener un atributo 'name'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocGenericParamTagWithoutName_Title"> <source>XML comment type parameter must have a 'name' attribute</source> <target state="translated">El parámetro de tipo de comentario XML debe tener un atributo 'name'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocExceptionTagWithoutCRef"> <source>XML comment exception must have a 'cref' attribute.</source> <target state="translated">La excepción del comentario XML debe tener un atributo 'cref'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocExceptionTagWithoutCRef_Title"> <source>XML comment exception must have a 'cref' attribute</source> <target state="translated">La excepción de comentario XML debe tener un atributo 'cref'</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInvalidXMLFragment"> <source>Unable to include XML fragment '{0}' of file '{1}'.</source> <target state="translated">No se puede incluir el fragmento de código XML '{0}' del archivo '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocInvalidXMLFragment_Title"> <source>Unable to include XML fragment</source> <target state="translated">No se puede incluir el fragmento XML</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadFormedXML"> <source>Unable to include XML fragment '{1}' of file '{0}'. {2}</source> <target state="translated">No se puede incluir el fragmento de código XML '{1}' del archivo '{0}'. {2}</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocBadFormedXML_Title"> <source>Unable to include XML fragment</source> <target state="translated">No se puede incluir el fragmento XML</target> <note /> </trans-unit> <trans-unit id="WRN_InterfaceConversion2"> <source>Runtime errors might occur when converting '{0}' to '{1}'.</source> <target state="translated">Se pueden producir errores en tiempo de ejecución al convertir '{0}' en '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_InterfaceConversion2_Title"> <source>Runtime errors might occur when converting to or from interface type</source> <target state="translated">Es posible que ocurran errores de tiempo de ejecución al convertir desde o a un tipo de interfaz</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableLambda"> <source>Using the iteration variable in a lambda expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.</source> <target state="translated">El uso de una variable de iteración en una expresión lambda puede producir resultados inesperados. Cree una variable local dentro del bucle y asígnele el valor de la variable de iteración.</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableLambda_Title"> <source>Using the iteration variable in a lambda expression may have unexpected results</source> <target state="translated">Es posible que usar la variable de iteración en una expresión lambda tenga resultados inesperados</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaPassedToRemoveHandler"> <source>Lambda expression will not be removed from this event handler. Assign the lambda expression to a variable and use the variable to add and remove the event.</source> <target state="translated">La expresión lambda no se quitará de este controlador de eventos. Asigne la expresión lambda a una variable y use esta variable para agregar y quitar el evento.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaPassedToRemoveHandler_Title"> <source>Lambda expression will not be removed from this event handler</source> <target state="translated">La expresión lambda no se quitará de este controlador de eventos</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableQuery"> <source>Using the iteration variable in a query expression may have unexpected results. Instead, create a local variable within the loop and assign it the value of the iteration variable.</source> <target state="translated">El uso de una variable de iteración en una expresión de consulta puede producir resultados inesperados. Cree una variable local dentro del bucle y asígnele el valor de la variable de iteración.</target> <note /> </trans-unit> <trans-unit id="WRN_LiftControlVariableQuery_Title"> <source>Using the iteration variable in a query expression may have unexpected results</source> <target state="translated">Es posible que usar la variable de iteración en una expresión de consulta tenga resultados inesperados</target> <note /> </trans-unit> <trans-unit id="WRN_RelDelegatePassedToRemoveHandler"> <source>The 'AddressOf' expression has no effect in this context because the method argument to 'AddressOf' requires a relaxed conversion to the delegate type of the event. Assign the 'AddressOf' expression to a variable, and use the variable to add or remove the method as the handler.</source> <target state="translated">La expresión 'AddressOf' no tiene efecto en este contexto porque el argumento de método para 'AddressOf' requiere una conversión flexible al tipo delegado del evento. Asigne la expresión 'AddressOf' a una variable y use la variable para agregar o quitar el método como controlador.</target> <note /> </trans-unit> <trans-unit id="WRN_RelDelegatePassedToRemoveHandler_Title"> <source>The 'AddressOf' expression has no effect in this context because the method argument to 'AddressOf' requires a relaxed conversion to the delegate type of the event</source> <target state="translated">La expresión 'AddressOf' no tiene efecto en este contexto porque el argumento de método para 'AddressOf' necesita una conversión flexible para el tipo delegado del evento</target> <note /> </trans-unit> <trans-unit id="WRN_QueryMissingAsClauseinVarDecl"> <source>Range variable is assumed to be of type Object because its type cannot be inferred. Use an 'As' clause to specify a different type.</source> <target state="translated">Se presupone que la variable de rango es de tipo Object porque su tipo no se puede inferir. Use una cláusula 'As' para especificar otro tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_QueryMissingAsClauseinVarDecl_Title"> <source>Range variable is assumed to be of type Object because its type cannot be inferred</source> <target state="translated">Se asume que la variable de rango es de tipo Object porque no se puede inferir su tipo</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdaMissingFunction"> <source>Multiline lambda expression is missing 'End Function'.</source> <target state="translated">Falta 'End Function' en una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdaMissingSub"> <source>Multiline lambda expression is missing 'End Sub'.</source> <target state="translated">Falta 'End Sub' en una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeOnLambdaReturnType"> <source>Attributes cannot be applied to return types of lambda expressions.</source> <target state="translated">No se pueden aplicar atributos para devolver tipos de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_SubDisallowsStatement"> <source>Statement is not valid inside a single-line statement lambda.</source> <target state="translated">La instrucción no es válida en una expresión lambda de instrucción de una sola línea.</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesBang"> <source>This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;)!key</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: (Sub() &lt;instrucción&gt;)!key</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesDot"> <source>This single-line statement lambda must be enclosed in parentheses. For example: (Sub() &lt;statement&gt;).Invoke()</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: (Sub() &lt;instrucción&gt;).Invoke()</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresParenthesesLParen"> <source>This single-line statement lambda must be enclosed in parentheses. For example: Call (Sub() &lt;statement&gt;) ()</source> <target state="translated">Esta expresión lambda con una instrucción de una sola línea debe ir entre paréntesis. Por ejemplo: Call (Sub() &lt;instrucción&gt;) ()</target> <note /> </trans-unit> <trans-unit id="ERR_SubRequiresSingleStatement"> <source>Single-line statement lambdas must include exactly one statement.</source> <target state="translated">Las expresiones lambda de instrucción de una sola línea deben incluir exactamente una instrucción.</target> <note /> </trans-unit> <trans-unit id="ERR_StaticInLambda"> <source>Static local variables cannot be declared inside lambda expressions.</source> <target state="translated">Las variables locales estáticas no se pueden declarar dentro de expresiones lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_InitializedExpandedProperty"> <source>Expanded Properties cannot be initialized.</source> <target state="translated">Las propiedades expandidas no se pueden inicializar.</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyCantHaveParams"> <source>Auto-implemented properties cannot have parameters.</source> <target state="translated">Las propiedades implementadas automáticamente no pueden tener parámetros.</target> <note /> </trans-unit> <trans-unit id="ERR_AutoPropertyCantBeWriteOnly"> <source>Auto-implemented properties cannot be WriteOnly.</source> <target state="translated">Las propiedades implementadas automáticamente no pueden ser WriteOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_IllegalOperandInIIFCount"> <source>'If' operator requires either two or three operands.</source> <target state="translated">'El operador 'If' requiere dos o tres operandos.</target> <note /> </trans-unit> <trans-unit id="ERR_NotACollection1"> <source>Cannot initialize the type '{0}' with a collection initializer because it is not a collection type.</source> <target state="translated">No se puede inicializar el tipo '{0}' con un inicializador de colección porque no es un tipo de colección.</target> <note /> </trans-unit> <trans-unit id="ERR_NoAddMethod1"> <source>Cannot initialize the type '{0}' with a collection initializer because it does not have an accessible 'Add' method.</source> <target state="translated">No se puede inicializar el tipo '{0}' con un inicializador de colección porque no tiene un método 'Add' accesible.</target> <note /> </trans-unit> <trans-unit id="ERR_CantCombineInitializers"> <source>An Object Initializer and a Collection Initializer cannot be combined in the same initialization.</source> <target state="translated">No se pueden combinar un inicializador de objeto y un inicializador de colección en la misma inicialización.</target> <note /> </trans-unit> <trans-unit id="ERR_EmptyAggregateInitializer"> <source>An aggregate collection initializer entry must contain at least one element.</source> <target state="translated">Una entrada de inicializador de colección de agregados debe contener al menos un elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEndElementNoMatchingStart"> <source>XML end element must be preceded by a matching start element.</source> <target state="translated">El elemento final de XML debe ir precedido de un elemento de inicio correspondiente.</target> <note /> </trans-unit> <trans-unit id="ERR_MultilineLambdasCannotContainOnError"> <source>'On Error' and 'Resume' cannot appear inside a lambda expression.</source> <target state="translated">'On Error' y 'Resume' no pueden aparecer dentro de una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceDisallowedHere"> <source>Keywords 'Out' and 'In' can only be used in interface and delegate declarations.</source> <target state="translated">Las palabras clave 'Out' e 'In' se pueden usar solo en declaraciones de interfaz y delegado.</target> <note /> </trans-unit> <trans-unit id="ERR_XmlEndCDataNotAllowedInContent"> <source>The literal string ']]&gt;' is not allowed in element content.</source> <target state="translated">La cadena literal ']]&gt;' no se permite en el contenido de elemento.</target> <note /> </trans-unit> <trans-unit id="ERR_OverloadsModifierInModule"> <source>Inappropriate use of '{0}' keyword in a module.</source> <target state="translated">Uso no apropiado de la palabra clave '{0}' en un módulo.</target> <note /> </trans-unit> <trans-unit id="ERR_UndefinedTypeOrNamespace1"> <source>Type or namespace '{0}' is not defined.</source> <target state="translated">El tipo o el nombre del espacio de nombres '{0}' no está definido.</target> <note /> </trans-unit> <trans-unit id="ERR_IdentityDirectCastForFloat"> <source>Using DirectCast operator to cast a floating-point value to the same type is not supported.</source> <target state="translated">No se admite el uso del operador DirectCast para convertir un valor de número de punto flotante en el mismo tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_ObsoleteIdentityDirectCastForValueType"> <source>Using DirectCast operator to cast a value-type to the same type is obsolete.</source> <target state="translated">El uso del operador DirectCast para convertir un tipo de valor en el mismo tipo está obsoleto.</target> <note /> </trans-unit> <trans-unit id="WRN_ObsoleteIdentityDirectCastForValueType_Title"> <source>Using DirectCast operator to cast a value-type to the same type is obsolete</source> <target state="translated">El uso del operador DirectCast para convertir un tipo de valor en el mismo tipo es obsoleto</target> <note /> </trans-unit> <trans-unit id="WRN_UnreachableCode"> <source>Unreachable code detected.</source> <target state="translated">Se ha detectado código inaccesible.</target> <note /> </trans-unit> <trans-unit id="WRN_UnreachableCode_Title"> <source>Unreachable code detected</source> <target state="translated">Se detectó código inaccesible</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncVal1"> <source>Function '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">La función '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValFuncVal1_Title"> <source>Function doesn't return a value on all code paths</source> <target state="translated">La función no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpVal1"> <source>Operator '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">El operador '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValOpVal1_Title"> <source>Operator doesn't return a value on all code paths</source> <target state="translated">El operador no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropVal1"> <source>Property '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">La propiedad '{0}' no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValPropVal1_Title"> <source>Property doesn't return a value on all code paths</source> <target state="translated">La propiedad no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="ERR_NestedGlobalNamespace"> <source>Global namespace may not be nested in another namespace.</source> <target state="translated">El espacio de nombres global no se puede anidar en otro espacio de nombres.</target> <note /> </trans-unit> <trans-unit id="ERR_AccessMismatch6"> <source>'{0}' cannot expose type '{1}' in {2} '{3}' through {4} '{5}'.</source> <target state="translated">'{0}' no se puede exponer el tipo '{1}' en {2} '{3}' a través de {4} '{5}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadMetaDataReference1"> <source>'{0}' cannot be referenced because it is not a valid assembly.</source> <target state="translated">'No se puede hacer referencia a '{0}' porque no es un ensamblado válido.</target> <note /> </trans-unit> <trans-unit id="ERR_PropertyDoesntImplementAllAccessors"> <source>'{0}' cannot be implemented by a {1} property.</source> <target state="translated">'Una propiedad {1} no puede implementar '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnimplementedMustOverride"> <source> {0}: {1}</source> <target state="translated"> {0}: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_IfTooManyTypesObjectDisallowed"> <source>Cannot infer a common type because more than one type is possible.</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo.</target> <note /> </trans-unit> <trans-unit id="WRN_IfTooManyTypesObjectAssumed"> <source>Cannot infer a common type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfTooManyTypesObjectAssumed_Title"> <source>Cannot infer a common type because more than one type is possible</source> <target state="translated">No se puede inferir un tipo común porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="ERR_IfNoTypeObjectDisallowed"> <source>Cannot infer a common type, and Option Strict On does not allow 'Object' to be assumed.</source> <target state="translated">No se puede inferir un tipo común y Option Strict On no permite suponer 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfNoTypeObjectAssumed"> <source>Cannot infer a common type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo común; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_IfNoTypeObjectAssumed_Title"> <source>Cannot infer a common type</source> <target state="translated">No se puede inferir un tipo común</target> <note /> </trans-unit> <trans-unit id="ERR_IfNoType"> <source>Cannot infer a common type.</source> <target state="translated">No se puede inferir un tipo común.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicKeyFileFailure"> <source>Error extracting public key from file '{0}': {1}</source> <target state="translated">Error al extraer la clave pública del archivo '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_PublicKeyContainerFailure"> <source>Error extracting public key from container '{0}': {1}</source> <target state="translated">Error al extraer la clave pública del contenedor '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_FriendRefNotEqualToThis"> <source>Friend access was granted by '{0}', but the public key of the output assembly does not match that specified by the attribute in the granting assembly.</source> <target state="translated">'{0}' ha concedido acceso de confianza, pero la clave pública del ensamblado de salida no coincide con la especificada por el atributo en el ensamblado de concesión.</target> <note /> </trans-unit> <trans-unit id="ERR_FriendRefSigningMismatch"> <source>Friend access was granted by '{0}', but the strong name signing state of the output assembly does not match that of the granting assembly.</source> <target state="translated">'{0}' ha concedido acceso de confianza, pero el nombre seguro que firma el estado del ensamblado de salida no coincide con el del ensamblado de concesión.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicSignNoKey"> <source>Public sign was specified and requires a public key, but no public key was specified</source> <target state="translated">Se especificó un signo público y requiere una clave pública, pero no hay ninguna clave pública especificada.</target> <note /> </trans-unit> <trans-unit id="ERR_PublicSignNetModule"> <source>Public signing is not supported for netmodules.</source> <target state="translated">No se admite la firma pública para netmodules.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeIgnoredWhenPublicSigning"> <source>Attribute '{0}' is ignored when public signing is specified.</source> <target state="translated">El atributo "{0}" se ignora cuando se especifica la firma pública.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeIgnoredWhenPublicSigning_Title"> <source>Attribute is ignored when public signing is specified.</source> <target state="translated">El atributo se omite cuando se especifica la firma pública.</target> <note /> </trans-unit> <trans-unit id="WRN_DelaySignButNoKey"> <source>Delay signing was specified and requires a public key, but no public key was specified.</source> <target state="translated">Se solicitó retrasar la firma y esto requiere una clave pública, pero no se proporcionó ninguna.</target> <note /> </trans-unit> <trans-unit id="WRN_DelaySignButNoKey_Title"> <source>Delay signing was specified and requires a public key, but no public key was specified</source> <target state="translated">Se especificó un retraso en la firma y esto requiere una clave pública, pero no se ha especificado ninguna</target> <note /> </trans-unit> <trans-unit id="ERR_SignButNoPrivateKey"> <source>Key file '{0}' is missing the private key needed for signing.</source> <target state="translated">Al archivo de clave '{0}' le falta la clave privada necesaria para firmar.</target> <note /> </trans-unit> <trans-unit id="ERR_FailureSigningAssembly"> <source>Error signing assembly '{0}': {1}</source> <target state="translated">Error al firmar el ensamblado '{0}': {1}</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidVersionFormat"> <source>The specified version string does not conform to the required format - major[.minor[.build|*[.revision|*]]]</source> <target state="translated">La cadena de versión especificada no se ajusta al formato requerido: principal[,secundaria[,compilación|*[, revisión|*]]]</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidVersionFormat"> <source>The specified version string does not conform to the recommended format - major.minor.build.revision</source> <target state="translated">La cadena de versión especificada no se ajusta al formato recomendado: principal,secundaria,compilación,revisión</target> <note /> </trans-unit> <trans-unit id="WRN_InvalidVersionFormat_Title"> <source>The specified version string does not conform to the recommended format</source> <target state="translated">La cadena de versión especificada no es compatible con el formato recomendado</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidVersionFormat2"> <source>The specified version string does not conform to the recommended format - major.minor.build.revision</source> <target state="translated">La cadena de versión especificada no se ajusta al formato recomendado: principal,secundaria,compilación,revisión</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyCultureForExe"> <source>Executables cannot be satellite assemblies; culture should always be empty</source> <target state="translated">Los archivos ejecutables no pueden ser ensamblados satélite y no deben tener referencia cultural</target> <note /> </trans-unit> <trans-unit id="WRN_MainIgnored"> <source>The entry point of the program is global script code; ignoring '{0}' entry point.</source> <target state="translated">El punto de entrada del programa es código de script global: se omite el punto de entrada '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_MainIgnored_Title"> <source>The entry point of the program is global script code; ignoring entry point</source> <target state="translated">El punto de entrada del programa es código de script global. Ignorando punto de entrada</target> <note /> </trans-unit> <trans-unit id="WRN_EmptyPrefixAndXmlnsLocalName"> <source>The xmlns attribute has special meaning and should not be written with a prefix.</source> <target state="translated">El atributo xmlns tiene un significado especial y no se debe escribir con un prefijo.</target> <note /> </trans-unit> <trans-unit id="WRN_EmptyPrefixAndXmlnsLocalName_Title"> <source>The xmlns attribute has special meaning and should not be written with a prefix</source> <target state="translated">El atributo xmlns tiene un significado especial y no se debe escribir con un prefijo</target> <note /> </trans-unit> <trans-unit id="WRN_PrefixAndXmlnsLocalName"> <source>It is not recommended to have attributes named xmlns. Did you mean to write 'xmlns:{0}' to define a prefix named '{0}'?</source> <target state="translated">No se recomienda tener atributos con el nombre xmlns. ¿Quería escribir 'xmlns:{0}' para definir un prefijo con el nombre '{0}'?</target> <note /> </trans-unit> <trans-unit id="WRN_PrefixAndXmlnsLocalName_Title"> <source>It is not recommended to have attributes named xmlns</source> <target state="translated">No se recomienda tener atributos denominados xmlns</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedSingleScript"> <source>Expected a single script (.vbx file)</source> <target state="translated">Se esperaba un script único (archivo .vbx)</target> <note /> </trans-unit> <trans-unit id="ERR_ReservedAssemblyName"> <source>The assembly name '{0}' is reserved and cannot be used as a reference in an interactive session</source> <target state="translated">El nombre de ensamblado '{0}' está reservado y no se puede usar como referencia en una sesión interactiva</target> <note /> </trans-unit> <trans-unit id="ERR_ReferenceDirectiveOnlyAllowedInScripts"> <source>#R is only allowed in scripts</source> <target state="translated">#R solo se permite en scripts</target> <note /> </trans-unit> <trans-unit id="ERR_NamespaceNotAllowedInScript"> <source>You cannot declare Namespace in script code</source> <target state="translated">No puede declarar Espacio de nombres en código de script</target> <note /> </trans-unit> <trans-unit id="ERR_KeywordNotAllowedInScript"> <source>You cannot use '{0}' in top-level script code</source> <target state="translated">No puede usar '{0}' en código de script de nivel superior</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNoType"> <source>Cannot infer a return type. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaNoTypeObjectAssumed"> <source>Cannot infer a return type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo devuelto; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaNoTypeObjectAssumed_Title"> <source>Cannot infer a return type</source> <target state="translated">No se puede inferir un tipo de retorno</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaTooManyTypesObjectAssumed"> <source>Cannot infer a return type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo devuelto porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_LambdaTooManyTypesObjectAssumed_Title"> <source>Cannot infer a return type because more than one type is possible</source> <target state="translated">No se puede inferir un tipo de retorno porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaNoTypeObjectDisallowed"> <source>Cannot infer a return type. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="ERR_LambdaTooManyTypesObjectDisallowed"> <source>Cannot infer a return type because more than one type is possible. Consider adding an 'As' clause to specify the return type.</source> <target state="translated">No se puede inferir un tipo devuelto porque es posible más de un tipo. Puede agregar una cláusula 'As' para especificar el tipo devuelto.</target> <note /> </trans-unit> <trans-unit id="WRN_UnimplementedCommandLineSwitch"> <source>The command line switch '{0}' is not yet implemented and was ignored.</source> <target state="translated">El modificador de línea de comandos '{0}' todavía no se ha implementado y se ha omitido.</target> <note /> </trans-unit> <trans-unit id="WRN_UnimplementedCommandLineSwitch_Title"> <source>Command line switch is not yet implemented</source> <target state="translated">El switch de la línea de comandos aún no está implementado</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitNoTypeObjectDisallowed"> <source>Cannot infer an element type, and Option Strict On does not allow 'Object' to be assumed. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento y Option Strict On no permite suponer 'Object'. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitNoType"> <source>Cannot infer an element type. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="ERR_ArrayInitTooManyTypesObjectDisallowed"> <source>Cannot infer an element type because more than one type is possible. Specifying the type of the array might correct this error.</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento porque es posible más de un tipo. Especificar el tipo de la matriz podría corregir este error.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitNoTypeObjectAssumed"> <source>Cannot infer an element type; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo de elemento; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitNoTypeObjectAssumed_Title"> <source>Cannot infer an element type</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitTooManyTypesObjectAssumed"> <source>Cannot infer an element type because more than one type is possible; 'Object' assumed.</source> <target state="translated">No se puede inferir un tipo de elemento porque es posible más de un tipo; se supone 'Object'.</target> <note /> </trans-unit> <trans-unit id="WRN_ArrayInitTooManyTypesObjectAssumed_Title"> <source>Cannot infer an element type because more than one type is possible</source> <target state="translated">No se puede realizar inferencia de un tipo de elemento porque es posible más de un tipo</target> <note /> </trans-unit> <trans-unit id="WRN_TypeInferenceAssumed3"> <source>Data type of '{0}' in '{1}' could not be inferred. '{2}' assumed.</source> <target state="translated">No se pudo inferir el tipo de datos de '{0}' en '{1}'. Se supone '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_TypeInferenceAssumed3_Title"> <source>Data type could not be inferred</source> <target state="translated">El tipo de datos no se puede inferir</target> <note /> </trans-unit> <trans-unit id="ERR_AmbiguousCastConversion2"> <source>Option Strict On does not allow implicit conversions from '{0}' to '{1}' because the conversion is ambiguous.</source> <target state="translated">Option Strict On no permite conversiones implícitas de '{0}' a '{1}' porque la conversión es ambigua.</target> <note /> </trans-unit> <trans-unit id="WRN_AmbiguousCastConversion2"> <source>Conversion from '{0}' to '{1}' may be ambiguous.</source> <target state="translated">La conversión de '{0}' a '{1}' puede ser ambigua.</target> <note /> </trans-unit> <trans-unit id="WRN_AmbiguousCastConversion2_Title"> <source>Conversion may be ambiguous</source> <target state="translated">La conversión puede ser ambigua</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceIEnumerableSuggestion3"> <source>'{0}' cannot be converted to '{1}'. Consider using '{2}' instead.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. En su lugar, puede usar '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceIEnumerableSuggestion3"> <source>'{0}' cannot be converted to '{1}'. Consider using '{2}' instead.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. En su lugar, puede usar '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceIEnumerableSuggestion3_Title"> <source>Type cannot be converted to target collection type</source> <target state="translated">El tipo no se puede convertir a un tipo de colección de destino</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedIn6"> <source>'{4}' cannot be converted to '{5}' because '{0}' is not derived from '{1}', as required for the 'In' generic parameter '{2}' in '{3}'.</source> <target state="translated">'{4}' no se puede convertir en '{5}' porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'In' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedOut6"> <source>'{4}' cannot be converted to '{5}' because '{0}' is not derived from '{1}', as required for the 'Out' generic parameter '{2}' in '{3}'.</source> <target state="translated">'{4}' no se puede convertir en '{5}' porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'Out' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedIn6"> <source>Implicit conversion from '{4}' to '{5}'; this conversion may fail because '{0}' is not derived from '{1}', as required for the 'In' generic parameter '{2}' in '{3}'.</source> <target state="translated">Conversión implícita de '{4}' a '{5}'; esta conversión puede dar error porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'In' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedIn6_Title"> <source>Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for 'In' generic parameter</source> <target state="translated">Conversión implícita; es posible que esta conversión dé un error porque el tipo de destino no se deriva del tipo de origen, tal y como se necesita para el parámetro genérico 'In'</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedOut6"> <source>Implicit conversion from '{4}' to '{5}'; this conversion may fail because '{0}' is not derived from '{1}', as required for the 'Out' generic parameter '{2}' in '{3}'.</source> <target state="translated">Conversión implícita de '{4}' a '{5}'; esta conversión puede dar error porque '{0}' no se deriva de '{1}', como se requiere para el parámetro genérico 'Out' '{2}' en '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedOut6_Title"> <source>Implicit conversion; this conversion may fail because the target type is not derived from the source type, as required for 'Out' generic parameter</source> <target state="translated">Conversión implícita; es posible que esta conversión dé un error porque el tipo de destino no se deriva del tipo de origen, tal y como necesita el parámetro genérico 'Out'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedTryIn4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an In type parameter, 'In {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo In, 'In {2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceConversionFailedTryOut4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an Out type parameter, 'Out {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo Out, 'Out {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryIn4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an In type parameter, 'In {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo In, 'In {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryIn4_Title"> <source>Type cannot be converted to target type</source> <target state="translated">El tipo no se puede convertir al tipo de destino</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryOut4"> <source>'{0}' cannot be converted to '{1}'. Consider changing the '{2}' in the definition of '{3}' to an Out type parameter, 'Out {2}'.</source> <target state="translated">'{0}' no se puede convertir en '{1}'. Puede cambiar el '{2}' en la definición de '{3}' a un parámetro de tipo Out, 'Out {2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceConversionFailedTryOut4_Title"> <source>Type cannot be converted to target type</source> <target state="translated">El tipo no se puede convertir al tipo de destino</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceDeclarationAmbiguous3"> <source>Interface '{0}' is ambiguous with another implemented interface '{1}' due to the 'In' and 'Out' parameters in '{2}'.</source> <target state="translated">La interfaz '{0}' es ambigua con otra interfaz implementada '{1}' debido a los parámetros 'In' y 'Out' de '{2}'.</target> <note /> </trans-unit> <trans-unit id="WRN_VarianceDeclarationAmbiguous3_Title"> <source>Interface is ambiguous with another implemented interface due to 'In' and 'Out' parameters</source> <target state="translated">La interfaz es ambigua con otra interfaz implementada debido a los parámetros 'In' y 'Out'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInterfaceNesting"> <source>Enumerations, classes, and structures cannot be declared in an interface that has an 'In' or 'Out' type parameter.</source> <target state="translated">Las enumeraciones, las clases y las estructuras no se pueden declarar en una interfaz que tenga un parámetro de tipo 'In' o 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VariancePreventsSynthesizedEvents2"> <source>Event definitions with parameters are not allowed in an interface such as '{0}' that has 'In' or 'Out' type parameters. Consider declaring the event by using a delegate type which is not defined within '{0}'. For example, 'Event {1} As Action(Of ...)'.</source> <target state="translated">No se permiten definiciones de evento con parámetros en una interfaz como '{0}' que tenga parámetros de tipo 'In' o 'Out'. Puede declarar el evento usando un tipo delegado que no esté definido en '{0}'. Por ejemplo, 'Event {1} As Action(Of ...)'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInByRefDisallowed1"> <source>Type '{0}' cannot be used in this context because 'In' and 'Out' type parameters cannot be used for ByRef parameter types, and '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque los parámetros de tipo 'In' y 'Out' no se pueden usar para tipos de parámetro ByRef, y '{0}' es un parámetro de tipo 'In'</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInNullableDisallowed2"> <source>Type '{0}' cannot be used in '{1}' because 'In' and 'Out' type parameters cannot be made nullable, and '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' porque no se puede hacer que los parámetros de tipo 'In' y 'Out' acepten valores NULL y '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowed1"> <source>Type '{0}' cannot be used in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedForGeneric3"> <source>Type '{0}' cannot be used for the '{1}' in '{2}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{1}' de '{2}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedHere2"> <source>Type '{0}' cannot be used in '{1}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInParamDisallowedHereForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' of '{3}' in '{1}' in this context because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInPropertyDisallowed1"> <source>Type '{0}' cannot be used as a property type in this context because '{0}' is an 'In' type parameter and the property is not marked WriteOnly.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad en este contexto porque '{0}' es un parámetro de tipo 'In' y la propiedad no está marcada como WriteOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInReadOnlyPropertyDisallowed1"> <source>Type '{0}' cannot be used as a ReadOnly property type because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad ReadOnly porque '{0}' es un parámetro de tipo.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceInReturnDisallowed1"> <source>Type '{0}' cannot be used as a return type because '{0}' is an 'In' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como tipo de valor devuelto porque '{0}' es un parámetro de tipo 'In'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutByRefDisallowed1"> <source>Type '{0}' cannot be used in this context because 'In' and 'Out' type parameters cannot be used for ByRef parameter types, and '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque los parámetros de tipo 'In' y 'Out' no se pueden usar para tipos de parámetro ByRef, y '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutByValDisallowed1"> <source>Type '{0}' cannot be used as a ByVal parameter type because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de parámetro ByVal porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutConstraintDisallowed1"> <source>Type '{0}' cannot be used as a generic type constraint because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como una restricción de tipo genérico porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutNullableDisallowed2"> <source>Type '{0}' cannot be used in '{1}' because 'In' and 'Out' type parameters cannot be made nullable, and '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' porque no se puede hacer que los parámetros de tipo 'In' y 'Out' acepten valores NULL, y '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowed1"> <source>Type '{0}' cannot be used in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedForGeneric3"> <source>Type '{0}' cannot be used for the '{1}' in '{2}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{1}' de '{2}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedHere2"> <source>Type '{0}' cannot be used in '{1}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutParamDisallowedHereForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' of '{3}' in '{1}' in this context because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en '{1}' en este contexto porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutPropertyDisallowed1"> <source>Type '{0}' cannot be used as a property type in this context because '{0}' is an 'Out' type parameter and the property is not marked ReadOnly.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad en este contexto porque '{0}' es un parámetro de tipo 'Out' y la propiedad no está marcada como ReadOnly.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceOutWriteOnlyPropertyDisallowed1"> <source>Type '{0}' cannot be used as a WriteOnly property type because '{0}' is an 'Out' type parameter.</source> <target state="translated">No se puede usar el tipo '{0}' como un tipo de propiedad WriteOnly porque '{0}' es un parámetro de tipo 'Out'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowed2"> <source>Type '{0}' cannot be used in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedForGeneric4"> <source>Type '{0}' cannot be used for the '{2}' in '{3}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{2}' de '{3}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedHere3"> <source>Type '{0}' cannot be used in '{2}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' en '{2}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_VarianceTypeDisallowedHereForGeneric5"> <source>Type '{0}' cannot be used for the '{3}' of '{4}' in '{2}' in this context because both the context and the definition of '{0}' are nested within interface '{1}', and '{1}' has 'In' or 'Out' type parameters. Consider moving the definition of '{0}' outside of '{1}'.</source> <target state="translated">No se puede usar el tipo '{0}' para el '{3}' de '{4}' en '{2}' en este contexto porque tanto el contexto como la definición de '{0}' están anidados en la interfaz '{1}', y '{1}' tiene parámetros de tipo 'In' o 'Out'. Puede mover la definición de '{0}' fuera de '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ParameterNotValidForType"> <source>Parameter not valid for the specified unmanaged type.</source> <target state="translated">Parámetro no válido para el tipo no administrado especificado.</target> <note /> </trans-unit> <trans-unit id="ERR_MarshalUnmanagedTypeNotValidForFields"> <source>Unmanaged type '{0}' not valid for fields.</source> <target state="translated">El tipo '{0}' sin administrar no es válido para los campos.</target> <note /> </trans-unit> <trans-unit id="ERR_MarshalUnmanagedTypeOnlyValidForFields"> <source>Unmanaged type '{0}' is only valid for fields.</source> <target state="translated">El tipo '{0}' sin administrar solo es válido para los campos.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeParameterRequired1"> <source>Attribute parameter '{0}' must be specified.</source> <target state="translated">Hay que especificar el parámetro de atributo '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_AttributeParameterRequired2"> <source>Attribute parameter '{0}' or '{1}' must be specified.</source> <target state="translated">Hay que especificar el parámetro de atributo '{0}' o '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_MemberConflictWithSynth4"> <source>Conflicts with '{0}', which is implicitly declared for '{1}' in {2} '{3}'.</source> <target state="translated">Entra en conflicto con '{0}', que está implícitamente declarado para '{1}' en {2} '{3}'.</target> <note /> </trans-unit> <trans-unit id="IDS_ProjectSettingsLocationName"> <source>&lt;project settings&gt;</source> <target state="translated">&lt;configuración del proyecto&gt;</target> <note /> </trans-unit> <trans-unit id="WRN_ReturnTypeAttributeOnWriteOnlyProperty"> <source>Attributes applied on a return type of a WriteOnly Property have no effect.</source> <target state="translated">Los atributos aplicados en un tipo de valor devuelto de una propiedad WriteOnly no tienen efecto.</target> <note /> </trans-unit> <trans-unit id="WRN_ReturnTypeAttributeOnWriteOnlyProperty_Title"> <source>Attributes applied on a return type of a WriteOnly Property have no effect</source> <target state="translated">Los atributos aplicados en un tipo de retorno de una propiedad WriteOnly no tienen efecto</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityAttributeInvalidTarget"> <source>Security attribute '{0}' is not valid on this declaration type. Security attributes are only valid on assembly, type and method declarations.</source> <target state="translated">El valor '{0}' de SecurityAction no es válido en este tipo de declaración. Los atributos de seguridad solo son válidos en las declaraciones de ensamblado, de tipo y de método.</target> <note /> </trans-unit> <trans-unit id="ERR_AbsentReferenceToPIA1"> <source>Cannot find the interop type that matches the embedded type '{0}'. Are you missing an assembly reference?</source> <target state="translated">No se encuentra el tipo de interoperabilidad que coincide con el tipo incrustado '{0}'. ¿Falta alguna referencia de ensamblado?</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLinkClassWithNoPIA1"> <source>Reference to class '{0}' is not allowed when its assembly is configured to embed interop types.</source> <target state="translated">La referencia a la clase '{0}' no está permitida cuando su ensamblado está configurado para incrustar tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidStructMemberNoPIA1"> <source>Embedded interop structure '{0}' can contain only public instance fields.</source> <target state="translated">La estructura de interoperabilidad '{0}' incrustada solo puede contener campos de instancia públicos.</target> <note /> </trans-unit> <trans-unit id="ERR_NoPIAAttributeMissing2"> <source>Interop type '{0}' cannot be embedded because it is missing the required '{1}' attribute.</source> <target state="translated">El tipo de interoperabilidad '{0}' no se puede incrustar porque le falta el atributo '{1}' requerido.</target> <note /> </trans-unit> <trans-unit id="ERR_PIAHasNoAssemblyGuid1"> <source>Cannot embed interop types from assembly '{0}' because it is missing the '{1}' attribute.</source> <target state="translated">No se pueden incrustar tipos de interoperabilidad desde el ensamblado '{0}' porque no tiene el atributo '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_DuplicateLocalTypes3"> <source>Cannot embed interop type '{0}' found in both assembly '{1}' and '{2}'. Consider disabling the embedding of interop types.</source> <target state="translated">No se puede incrustar el tipo de interoperabilidad '{0}' encontrado en el ensamblado '{1}' y en '{2}'. Puede deshabilitar la incrustación de los tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_PIAHasNoTypeLibAttribute1"> <source>Cannot embed interop types from assembly '{0}' because it is missing either the '{1}' attribute or the '{2}' attribute.</source> <target state="translated">No se pueden incrustar tipos de interoperabilidad desde el ensamblado '{0}' porque le falta el atributo '{1}' o '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_SourceInterfaceMustBeInterface"> <source>Interface '{0}' has an invalid source interface which is required to embed event '{1}'.</source> <target state="translated">La interfaz '{0}' tiene una interfaz de origen no válida necesaria para incrustar el evento '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EventNoPIANoBackingMember"> <source>Source interface '{0}' is missing method '{1}', which is required to embed event '{2}'.</source> <target state="translated">En la interfaz de origen '{0}' falta el método '{1}', que es necesario para incrustar el evento '{2}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NestedInteropType"> <source>Nested type '{0}' cannot be embedded.</source> <target state="translated">El tipo anidado '{0}' no se puede incrustar.</target> <note /> </trans-unit> <trans-unit id="ERR_LocalTypeNameClash2"> <source>Embedding the interop type '{0}' from assembly '{1}' causes a name clash in the current assembly. Consider disabling the embedding of interop types.</source> <target state="translated">Incrustar el tipo de interoperabilidad '{0}' desde el ensamblado '{1}' provoca un conflicto de nombre en el ensamblado actual. Puede deshabilitar la incrustación de los tipos de interoperabilidad.</target> <note /> </trans-unit> <trans-unit id="ERR_InteropMethodWithBody1"> <source>Embedded interop method '{0}' contains a body.</source> <target state="translated">El método de interoperabilidad incrustado '{0}' contiene un cuerpo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncInQuery"> <source>'Await' may only be used in a query expression within the first collection expression of the initial 'From' clause or within the collection expression of a 'Join' clause.</source> <target state="translated">'Await' solamente se puede usar en una expresión de consulta dentro de la primera expresión de colección de la cláusula 'From' inicial o dentro de la expresión de colección de una cláusula 'Join'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadGetAwaiterMethod1"> <source>'Await' requires that the type '{0}' have a suitable GetAwaiter method.</source> <target state="translated">'Await' requiere que el tipo '{0}' tenga un método GetAwaiter adecuado.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIsCompletedOnCompletedGetResult2"> <source>'Await' requires that the return type '{0}' of '{1}.GetAwaiter()' have suitable IsCompleted, OnCompleted and GetResult members, and implement INotifyCompletion or ICriticalNotifyCompletion.</source> <target state="translated">'Await' requiere que el tipo de valor devuelto '{0}' de '{1}.GetAwaiter()' tenga los miembros IsCompleted, OnCompleted y GetResult adecuados, e implemente INotifyCompletion o ICriticalNotifyCompletion.</target> <note /> </trans-unit> <trans-unit id="ERR_DoesntImplementAwaitInterface2"> <source>'{0}' does not implement '{1}'.</source> <target state="translated">'{0}' no implementa '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitNothing"> <source>Cannot await Nothing. Consider awaiting 'Task.Yield()' instead.</source> <target state="translated">No se puede usar Await con Nothing. Puede usarlo con 'Task.Yield()'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncByRefParam"> <source>Async methods cannot have ByRef parameters.</source> <target state="translated">Los métodos asincrónicos no pueden tener parámetros ByRef.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAsyncIteratorModifiers"> <source>'Async' and 'Iterator' modifiers cannot be used together.</source> <target state="translated">'Los modificadores 'Async' e 'Iterator' no se pueden usar juntos.</target> <note /> </trans-unit> <trans-unit id="ERR_BadResumableAccessReturnVariable"> <source>The implicit return variable of an Iterator or Async method cannot be accessed.</source> <target state="translated">No se puede obtener acceso a la variable devuelta implícita de un método Iterator o Async.</target> <note /> </trans-unit> <trans-unit id="ERR_ReturnFromNonGenericTaskAsync"> <source>'Return' statements in this Async method cannot return a value since the return type of the function is 'Task'. Consider changing the function's return type to 'Task(Of T)'.</source> <target state="translated">'Las instrucciones 'Return' del método Async no pueden devolver un valor, ya que el tipo de valor devuelto de la función es 'Task'. Puede cambiar el tipo de valor devuelto de la función a 'Task(Of T)'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncReturnOperand1"> <source>Since this is an async method, the return expression must be of type '{0}' rather than 'Task(Of {0})'.</source> <target state="translated">Como este es un método asincrónico, la expresión devuelta debe ser de tipo '{0}' en lugar de 'Task(Of {0})'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAsyncReturn"> <source>The 'Async' modifier can only be used on Subs, or on Functions that return Task or Task(Of T).</source> <target state="translated">El modificador 'Async' solamente se puede usar en Subs o en funciones que devuelvan Task o Task(Of T).</target> <note /> </trans-unit> <trans-unit id="ERR_CantAwaitAsyncSub1"> <source>'{0}' does not return a Task and cannot be awaited. Consider changing it to an Async Function.</source> <target state="translated">'{0}' no devuelve una tarea y no se le puede aplicar await. Puede cambiarla a una función asincrónica.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidLambdaModifier"> <source>'Only the 'Async' or 'Iterator' modifier is valid on a lambda.</source> <target state="translated">'Solo los modificadores 'Async' o 'Iterator' son válidos en una expresión lambda.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncMethod"> <source>'Await' can only be used within an Async method. Consider marking this method with the 'Async' modifier and changing its return type to 'Task(Of {0})'.</source> <target state="translated">'Await' solo se puede usar dentro de un método Async. Puede marcar este método con el modificador 'Async' y cambiar su tipo de valor devuelto a 'Task(Of {0})'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncVoidMethod"> <source>'Await' can only be used within an Async method. Consider marking this method with the 'Async' modifier and changing its return type to 'Task'.</source> <target state="translated">'Await' solo se puede usar dentro de un método Async. Marque este método con el modificador 'Async' y cambie su tipo de valor devuelto a 'Task'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInNonAsyncLambda"> <source>'Await' can only be used within an Async lambda expression. Consider marking this lambda expression with the 'Async' modifier.</source> <target state="translated">'Await' solo se puede usar dentro de una expresión lambda. Marque esta expresión lambda con el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitNotInAsyncMethodOrLambda"> <source>'Await' can only be used when contained within a method or lambda expression marked with the 'Async' modifier.</source> <target state="translated">'Await' solo se puede usar cuando está contenido dentro de un método o expresión lambda marcada con el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_StatementLambdaInExpressionTree"> <source>Statement lambdas cannot be converted to expression trees.</source> <target state="translated">Las expresiones lambda de instrucción no se pueden convertir en árboles de expresión.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableExpression"> <source>Because this call is not awaited, execution of the current method continues before the call is completed. Consider applying the Await operator to the result of the call.</source> <target state="translated">Como esta llamada no es 'awaited', la ejecución del método actual continuará antes de que se complete la llamada. Puede aplicar el operador Await al resultado de la llamada.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableExpression_Title"> <source>Because this call is not awaited, execution of the current method continues before the call is completed</source> <target state="translated">Dado que no se esperaba esta llamada, la ejecución del método actual continuará antes de que se complete la llamada</target> <note /> </trans-unit> <trans-unit id="ERR_LoopControlMustNotAwait"> <source>Loop control variable cannot include an 'Await'.</source> <target state="translated">La variable de control de bucle no puede incluir 'Await'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadStaticInitializerInResumable"> <source>Static variables cannot appear inside Async or Iterator methods.</source> <target state="translated">Las variables estáticas no pueden aparecer dentro de los métodos Async ni Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_RestrictedResumableType1"> <source>'{0}' cannot be used as a parameter type for an Iterator or Async method.</source> <target state="translated">'{0}' no se puede usar como tipo de parámetro para un método Iterator o Async.</target> <note /> </trans-unit> <trans-unit id="ERR_ConstructorAsync"> <source>Constructor must not have the 'Async' modifier.</source> <target state="translated">El constructor no debe tener el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodsMustNotBeAsync1"> <source>'{0}' cannot be declared 'Partial' because it has the 'Async' modifier.</source> <target state="translated">'{0}' no se puede declarar como 'Partial' porque tiene el modificador 'Async'.</target> <note /> </trans-unit> <trans-unit id="ERR_ResumablesCannotContainOnError"> <source>'On Error' and 'Resume' cannot appear inside async or iterator methods.</source> <target state="translated">'On Error' y 'Resume' no pueden aparecer dentro de métodos asincrónicos o iteradores.</target> <note /> </trans-unit> <trans-unit id="ERR_ResumableLambdaInExpressionTree"> <source>Lambdas with the 'Async' or 'Iterator' modifiers cannot be converted to expression trees.</source> <target state="translated">Las expresiones lambda con los modificadores 'Async' o 'Iterator' no se pueden convertir en árboles de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotLiftRestrictedTypeResumable1"> <source>Variable of restricted type '{0}' cannot be declared in an Async or Iterator method.</source> <target state="translated">La variable del tipo restringido '{0}' no se puede declarar en un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_BadAwaitInTryHandler"> <source>'Await' cannot be used inside a 'Catch' statement, a 'Finally' statement, or a 'SyncLock' statement.</source> <target state="translated">'Await' no se puede usar dentro de una instrucción 'Catch', 'Finally' ni 'SyncLock'.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncLacksAwaits"> <source>This async method lacks 'Await' operators and so will run synchronously. Consider using the 'Await' operator to await non-blocking API calls, or 'Await Task.Run(...)' to do CPU-bound work on a background thread.</source> <target state="translated">A este método asincrónico le faltan operadores 'Await' y se ejecutará de forma sincrónica. Puede usar el operador 'Await' para esperar llamadas API que no sean de bloqueo o 'Await Task.Run(...)' para realizar tareas enlazadas a la CPU en un subproceso en segundo plano.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncLacksAwaits_Title"> <source>This async method lacks 'Await' operators and so will run synchronously</source> <target state="translated">Este método asincrónico no tiene los operadores 'Await' por lo que se ejecutará de forma sincrónica</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableDelegate"> <source>The Task returned from this Async Function will be dropped, and any exceptions in it ignored. Consider changing it to an Async Sub so its exceptions are propagated.</source> <target state="translated">La tarea devuelta por esta función asincrónica se anulará y se omitirán todas sus excepciones. Puede cambiarla a una Sub asincrónica para que se propaguen sus excepciones.</target> <note /> </trans-unit> <trans-unit id="WRN_UnobservedAwaitableDelegate_Title"> <source>The Task returned from this Async Function will be dropped, and any exceptions in it ignored</source> <target state="translated">La tarea devuelta desde esta función asincrónica se anulará y se ignorará cualquiera de sus excepciones</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityCriticalAsyncInClassOrStruct"> <source>Async and Iterator methods are not allowed in a [Class|Structure|Interface|Module] that has the 'SecurityCritical' or 'SecuritySafeCritical' attribute.</source> <target state="translated">Los métodos Async e Iterator no se permiten en una [Clase|Estructura|Interfaz|Módulo] que tenga el atributo 'SecurityCritical' o 'SecuritySafeCritical'.</target> <note /> </trans-unit> <trans-unit id="ERR_SecurityCriticalAsync"> <source>Security attribute '{0}' cannot be applied to an Async or Iterator method.</source> <target state="translated">El atributo de seguridad '{0}' no se puede aplicar a un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_DllImportOnResumableMethod"> <source>'System.Runtime.InteropServices.DllImportAttribute' cannot be applied to an Async or Iterator method.</source> <target state="translated">'System.Runtime.InteropServices.DllImportAttribute' no se puede aplicar a un método Async o Iterator.</target> <note /> </trans-unit> <trans-unit id="ERR_SynchronizedAsyncMethod"> <source>'MethodImplOptions.Synchronized' cannot be applied to an Async method.</source> <target state="translated">'MethodImplOptions.Synchronized' no se puede aplicar a un método Async.</target> <note /> </trans-unit> <trans-unit id="ERR_AsyncSubMain"> <source>The 'Main' method cannot be marked 'Async'.</source> <target state="translated">El método 'Main' no se puede marcar como 'Async'.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncSubCouldBeFunction"> <source>Some overloads here take an Async Function rather than an Async Sub. Consider either using an Async Function, or casting this Async Sub explicitly to the desired type.</source> <target state="translated">Algunas de estas sobrecargas toman una función asincrónica en lugar de Sub asincrónico. Puede usar una función asincrónica o convertir este Sub asincrónico explícitamente en el tipo deseado.</target> <note /> </trans-unit> <trans-unit id="WRN_AsyncSubCouldBeFunction_Title"> <source>Some overloads here take an Async Function rather than an Async Sub</source> <target state="translated">Algunas sobrecargas toman una función asincrónica en lugar de una subfunción asincrónica</target> <note /> </trans-unit> <trans-unit id="ERR_MyGroupCollectionAttributeCycle"> <source>MyGroupCollectionAttribute cannot be applied to itself.</source> <target state="translated">MyGroupCollectionAttribute no se puede aplicar a sí mismo.</target> <note /> </trans-unit> <trans-unit id="ERR_LiteralExpected"> <source>Literal expected.</source> <target state="translated">Se esperaba un literal.</target> <note /> </trans-unit> <trans-unit id="ERR_WinRTEventWithoutDelegate"> <source>Event declarations that target WinMD must specify a delegate type. Add an As clause to the event declaration.</source> <target state="translated">Las declaraciones de eventos cuyo destino es WinMD deben especificar un tipo de delegado. Agregue una cláusula As a la declaración de eventos.</target> <note /> </trans-unit> <trans-unit id="ERR_MixingWinRTAndNETEvents"> <source>Event '{0}' cannot implement a Windows Runtime event '{1}' and a regular .NET event '{2}'</source> <target state="translated">El evento '{0}' no puede implementar un evento '{1}' de Windows Runtime y un evento '{2}' regular de .NET.</target> <note /> </trans-unit> <trans-unit id="ERR_EventImplRemoveHandlerParamWrong"> <source>Event '{0}' cannot implement event '{1}' on interface '{2}' because the parameters of their 'RemoveHandler' methods do not match.</source> <target state="translated">El evento '{0}' no puede implementar el evento '{1}' en la interfaz '{2}' porque los parámetros de sus métodos 'RemoveHandler' no coinciden.</target> <note /> </trans-unit> <trans-unit id="ERR_AddParamWrongForWinRT"> <source>The type of the 'AddHandler' method's parameter must be the same as the type of the event.</source> <target state="translated">El parámetro del método 'AddHandler' debe tener el mismo tipo que el evento.</target> <note /> </trans-unit> <trans-unit id="ERR_RemoveParamWrongForWinRT"> <source>In a Windows Runtime event, the type of the 'RemoveHandler' method parameter must be 'EventRegistrationToken'</source> <target state="translated">En un evento de Windows Runtime, el tipo de parámetro de método 'RemoveHandler' debe ser 'EventRegistrationToken'</target> <note /> </trans-unit> <trans-unit id="ERR_ReImplementingWinRTInterface5"> <source>'{0}.{1}' from 'implements {2}' is already implemented by the base class '{3}'. Re-implementation of Windows Runtime Interface '{4}' is not allowed</source> <target state="translated">'{0}.{1}' de 'implements {2}' ya está implementado por la clase base '{3}'. No se permite volver a implementar la interfaz '{4}' de Windows Runtime.</target> <note /> </trans-unit> <trans-unit id="ERR_ReImplementingWinRTInterface4"> <source>'{0}.{1}' is already implemented by the base class '{2}'. Re-implementation of Windows Runtime Interface '{3}' is not allowed</source> <target state="translated">'{0}.{1}' ya está implementado por la clase base '{2}'. No se permite volver a implementar la interfaz '{3}' de Windows Runtime.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorByRefParam"> <source>Iterator methods cannot have ByRef parameters.</source> <target state="translated">Los métodos Iterator no pueden tener parámetros ByRef.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorExpressionLambda"> <source>Single-line lambdas cannot have the 'Iterator' modifier. Use a multiline lambda instead.</source> <target state="translated">Las expresiones lambda de una sola línea no pueden tener el modificador 'Iterator'. Use una expresión lambda de varias líneas.</target> <note /> </trans-unit> <trans-unit id="ERR_BadIteratorReturn"> <source>Iterator functions must return either IEnumerable(Of T), or IEnumerator(Of T), or the non-generic forms IEnumerable or IEnumerator.</source> <target state="translated">Las funciones de iterador deben devolver IEnumerable(Of T) o IEnumerator(Of T), o bien las formas no genéricas IEnumerable o IEnumerator.</target> <note /> </trans-unit> <trans-unit id="ERR_BadReturnValueInIterator"> <source>To return a value from an Iterator function, use 'Yield' rather than 'Return'.</source> <target state="translated">Para devolver un valor desde una función Iterator, use 'Yield' en lugar de 'Return'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadYieldInNonIteratorMethod"> <source>'Yield' can only be used in a method marked with the 'Iterator' modifier.</source> <target state="translated">'Yield' solamente se puede usar en un método marcado con el modificador 'Iterator'.</target> <note /> </trans-unit> <trans-unit id="ERR_BadYieldInTryHandler"> <source>'Yield' cannot be used inside a 'Catch' statement or a 'Finally' statement.</source> <target state="translated">'Yield' no se puede usar dentro de una instrucción 'Catch' o 'Finally'.</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValWinRtEventVal1"> <source>The AddHandler for Windows Runtime event '{0}' doesn't return a value on all code paths. Are you missing a 'Return' statement?</source> <target state="translated">El AddHandler para el evento '{0}' de Windows Runtime no devuelve un valor en todas las rutas de acceso de código. ¿Falta alguna instrucción 'Return'?</target> <note /> </trans-unit> <trans-unit id="WRN_DefAsgNoRetValWinRtEventVal1_Title"> <source>The AddHandler for Windows Runtime event doesn't return a value on all code paths</source> <target state="translated">AddHandler para el evento de Windows Runtime no devuelve un valor en todas las rutas de código</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodDefaultParameterValueMismatch2"> <source>Optional parameter of a method '{0}' does not have the same default value as the corresponding parameter of the partial method '{1}'.</source> <target state="translated">El parámetro opcional de un método '{0}' no tiene el mismo valor predeterminado que el parámetro correspondiente del método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_PartialMethodParamArrayMismatch2"> <source>Parameter of a method '{0}' differs by ParamArray modifier from the corresponding parameter of the partial method '{1}'.</source> <target state="translated">El parámetro de un método '{0}' se diferencia en el modificador ParamArray del parámetro correspondiente del método parcial '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NetModuleNameMismatch"> <source>Module name '{0}' stored in '{1}' must match its filename.</source> <target state="translated">El nombre de archivo '{0}' almacenado en '{1}' debe coincidir con su nombre de archivo.</target> <note /> </trans-unit> <trans-unit id="ERR_BadModuleName"> <source>Invalid module name: {0}</source> <target state="translated">Nombre de módulo no válido: {0}</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyAttributeFromModuleIsOverridden"> <source>Attribute '{0}' from module '{1}' will be ignored in favor of the instance appearing in source.</source> <target state="translated">El atributo '{0}' del módulo '{1}' se omitirá a favor de la instancia que aparece en el origen.</target> <note /> </trans-unit> <trans-unit id="WRN_AssemblyAttributeFromModuleIsOverridden_Title"> <source>Attribute from module will be ignored in favor of the instance appearing in source</source> <target state="translated">Se ignorará el atributo del módulo en favor de la instancia que aparece en el origen</target> <note /> </trans-unit> <trans-unit id="ERR_CmdOptionConflictsSource"> <source>Attribute '{0}' given in a source file conflicts with option '{1}'.</source> <target state="translated">El atributo '{0}' indicado en un archivo de origen entra en conflicto con la opción '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_ReferencedAssemblyDoesNotHaveStrongName"> <source>Referenced assembly '{0}' does not have a strong name.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia no tiene un nombre seguro.</target> <note /> </trans-unit> <trans-unit id="WRN_ReferencedAssemblyDoesNotHaveStrongName_Title"> <source>Referenced assembly does not have a strong name</source> <target state="translated">El ensamblado al que se hace referencia no tiene un nombre seguro</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidSignaturePublicKey"> <source>Invalid signature public key specified in AssemblySignatureKeyAttribute.</source> <target state="translated">Se especificó una clave pública de firma no válida en AssemblySignatureKeyAttribute.</target> <note /> </trans-unit> <trans-unit id="ERR_CollisionWithPublicTypeInModule"> <source>Type '{0}' conflicts with public type defined in added module '{1}'.</source> <target state="translated">El tipo '{0}' entra en conflicto con el tipo público definido en el módulo agregado '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ExportedTypeConflictsWithDeclaration"> <source>Type '{0}' exported from module '{1}' conflicts with type declared in primary module of this assembly.</source> <target state="translated">El tipo '{0}' exportado del módulo '{1}' entra en conflicto con el tipo declarado en el módulo primario de este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_ExportedTypesConflict"> <source>Type '{0}' exported from module '{1}' conflicts with type '{2}' exported from module '{3}'.</source> <target state="translated">El tipo '{0}' exportado del módulo '{1}' entra en conflicto con el tipo '{2}' exportado del módulo '{3}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RefCultureMismatch"> <source>Referenced assembly '{0}' has different culture setting of '{1}'.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia tiene una configuración de referencia cultural distinta de '{1}'.</target> <note /> </trans-unit> <trans-unit id="WRN_RefCultureMismatch_Title"> <source>Referenced assembly has different culture setting</source> <target state="translated">El ensamblaje referenciado tiene una configuración de cultura diferente</target> <note /> </trans-unit> <trans-unit id="ERR_AgnosticToMachineModule"> <source>Agnostic assembly cannot have a processor specific module '{0}'.</source> <target state="translated">El ensamblado válido no puede tener un módulo específico de procesador '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_ConflictingMachineModule"> <source>Assembly and module '{0}' cannot target different processors.</source> <target state="translated">El ensamblado y el módulo '{0}' no pueden tener como destino procesadores distintos.</target> <note /> </trans-unit> <trans-unit id="WRN_ConflictingMachineAssembly"> <source>Referenced assembly '{0}' targets a different processor.</source> <target state="translated">El ensamblado '{0}' al que se hace referencia está destinado a un procesador diferente.</target> <note /> </trans-unit> <trans-unit id="WRN_ConflictingMachineAssembly_Title"> <source>Referenced assembly targets a different processor</source> <target state="translated">El ensamblador al que se hace referencia tiene como objetivo a otro procesador</target> <note /> </trans-unit> <trans-unit id="ERR_CryptoHashFailed"> <source>Cryptographic failure while creating hashes.</source> <target state="translated">Error criptográfico al crear hashes.</target> <note /> </trans-unit> <trans-unit id="ERR_CantHaveWin32ResAndManifest"> <source>Conflicting options specified: Win32 resource file; Win32 manifest.</source> <target state="translated">Se especificaron opciones conflictivas: archivo de recursos de Win32; manifiesto de Win32.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeConflictsWithDeclaration"> <source>Forwarded type '{0}' conflicts with type declared in primary module of this assembly.</source> <target state="translated">El tipo reenviado '{0}' entra en conflicto con el tipo declarado en el módulo primario de este ensamblado.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypesConflict"> <source>Type '{0}' forwarded to assembly '{1}' conflicts with type '{2}' forwarded to assembly '{3}'.</source> <target state="translated">El tipo '{0}' reenviado al ensamblado '{1}' entra en conflicto con el tipo '{2}' reenviado al ensamblado '{3}'.</target> <note /> </trans-unit> <trans-unit id="ERR_TooLongMetadataName"> <source>Name '{0}' exceeds the maximum length allowed in metadata.</source> <target state="translated">El nombre '{0}' supera la longitud máxima permitida en los metadatos.</target> <note /> </trans-unit> <trans-unit id="ERR_MissingNetModuleReference"> <source>Reference to '{0}' netmodule missing.</source> <target state="translated">Falta la referencia al netmodule '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_NetModuleNameMustBeUnique"> <source>Module '{0}' is already defined in this assembly. Each module must have a unique filename.</source> <target state="translated">El módulo '{0}' ya está definido en este ensamblado. Cada módulo debe tener un nombre de archivo único.</target> <note /> </trans-unit> <trans-unit id="ERR_ForwardedTypeConflictsWithExportedType"> <source>Type '{0}' forwarded to assembly '{1}' conflicts with type '{2}' exported from module '{3}'.</source> <target state="translated">El tipo '{0}' reenviado al ensamblado '{1}' entra en conflicto con el tipo '{2}' exportado del módulo '{3}'.</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDREFERENCE"> <source>Adding assembly reference '{0}'</source> <target state="translated">Agregando referencia de ensamblado '{0}'</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDLINKREFERENCE"> <source>Adding embedded assembly reference '{0}'</source> <target state="translated">Agregando referencia de ensamblado incrustado '{0}'</target> <note /> </trans-unit> <trans-unit id="IDS_MSG_ADDMODULE"> <source>Adding module reference '{0}'</source> <target state="translated">Agregando referencia de módulo '{0}'</target> <note /> </trans-unit> <trans-unit id="ERR_NestingViolatesCLS1"> <source>Type '{0}' does not inherit the generic type parameters of its container.</source> <target state="translated">El tipo '{0}' no hereda los parámetros de tipo genérico de su contenedor.</target> <note /> </trans-unit> <trans-unit id="ERR_PDBWritingFailed"> <source>Failure writing debug information: {0}</source> <target state="translated">Error al escribir información de depuración: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_ParamDefaultValueDiffersFromAttribute"> <source>The parameter has multiple distinct default values.</source> <target state="translated">El parámetro tiene varios valores predeterminados distintos.</target> <note /> </trans-unit> <trans-unit id="ERR_FieldHasMultipleDistinctConstantValues"> <source>The field has multiple distinct constant values.</source> <target state="translated">El campo tiene varios valores constantes distintos.</target> <note /> </trans-unit> <trans-unit id="ERR_EncNoPIAReference"> <source>Cannot continue since the edit includes a reference to an embedded type: '{0}'.</source> <target state="translated">No se puede continuar porque la edición incluye una referencia a un tipo incrustado: '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_EncReferenceToAddedMember"> <source>Member '{0}' added during the current debug session can only be accessed from within its declaring assembly '{1}'.</source> <target state="translated">Al miembro '{0}' agregado durante la sesión de depuración actual solo se puede acceder desde el ensamblado donde se declara, '{1}'.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedModule1"> <source>'{0}' is an unsupported .NET module.</source> <target state="translated">'{0}' es un módulo .NET no admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_UnsupportedEvent1"> <source>'{0}' is an unsupported event.</source> <target state="translated">'{0}' es un evento no admitido.</target> <note /> </trans-unit> <trans-unit id="PropertiesCanNotHaveTypeArguments"> <source>Properties can not have type arguments</source> <target state="translated">Las propiedades no pueden tener argumentos de tipo</target> <note /> </trans-unit> <trans-unit id="IdentifierSyntaxNotWithinSyntaxTree"> <source>IdentifierSyntax not within syntax tree</source> <target state="translated">IdentifierSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="AnonymousObjectCreationExpressionSyntaxNotWithinTree"> <source>AnonymousObjectCreationExpressionSyntax not within syntax tree</source> <target state="translated">AnonymousObjectCreationExpressionSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="FieldInitializerSyntaxNotWithinSyntaxTree"> <source>FieldInitializerSyntax not within syntax tree</source> <target state="translated">FieldInitializerSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="IDS_TheSystemCannotFindThePathSpecified"> <source>The system cannot find the path specified</source> <target state="translated">El sistema no encuentra la ruta de acceso especificada</target> <note /> </trans-unit> <trans-unit id="ThereAreNoPointerTypesInVB"> <source>There are no pointer types in VB.</source> <target state="translated">No hay tipos de punteros en VB.</target> <note /> </trans-unit> <trans-unit id="ThereIsNoDynamicTypeInVB"> <source>There is no dynamic type in VB.</source> <target state="translated">No hay ningún tipo dinámico en VB.</target> <note /> </trans-unit> <trans-unit id="VariableSyntaxNotWithinSyntaxTree"> <source>variableSyntax not within syntax tree</source> <target state="translated">variableSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="AggregateSyntaxNotWithinSyntaxTree"> <source>AggregateSyntax not within syntax tree</source> <target state="translated">AggregateSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="FunctionSyntaxNotWithinSyntaxTree"> <source>FunctionSyntax not within syntax tree</source> <target state="translated">FunctionSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="PositionIsNotWithinSyntax"> <source>Position is not within syntax tree</source> <target state="translated">La posición no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="RangeVariableSyntaxNotWithinSyntaxTree"> <source>RangeVariableSyntax not within syntax tree</source> <target state="translated">RangeVariableSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="DeclarationSyntaxNotWithinSyntaxTree"> <source>DeclarationSyntax not within syntax tree</source> <target state="translated">DeclarationSyntax no está dentro del árbol de sintaxis</target> <note /> </trans-unit> <trans-unit id="StatementOrExpressionIsNotAValidType"> <source>StatementOrExpression is not an ExecutableStatementSyntax or an ExpressionSyntax</source> <target state="translated">StatementOrExpression no es una ExecutableStatementSyntax ni una ExpressionSyntax</target> <note /> </trans-unit> <trans-unit id="DeclarationSyntaxNotWithinTree"> <source>DeclarationSyntax not within tree</source> <target state="translated">DeclarationSyntax no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="TypeParameterNotWithinTree"> <source>TypeParameter not within tree</source> <target state="translated">TypeParameter no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="NotWithinTree"> <source> not within tree</source> <target state="translated"> no está dentro del árbol</target> <note /> </trans-unit> <trans-unit id="LocationMustBeProvided"> <source>Location must be provided in order to provide minimal type qualification.</source> <target state="translated">La ubicación se debe indicar para proporcionar una cualificación de tipo mínima.</target> <note /> </trans-unit> <trans-unit id="SemanticModelMustBeProvided"> <source>SemanticModel must be provided in order to provide minimal type qualification.</source> <target state="translated">SemanticModel se debe indicar para proporcionar una cualificación de tipo mínima.</target> <note /> </trans-unit> <trans-unit id="NumberOfTypeParametersAndArgumentsMustMatch"> <source>the number of type parameters and arguments should be the same</source> <target state="translated">el número de parámetros de tipo y de argumentos debe ser igual</target> <note /> </trans-unit> <trans-unit id="ERR_ResourceInModule"> <source>Cannot link resource files when building a module</source> <target state="translated">No se puede vincular archivos de recursos al compilar un módulo</target> <note /> </trans-unit> <trans-unit id="NotAVbSymbol"> <source>Not a VB symbol.</source> <target state="translated">No es un símbolo de VB.</target> <note /> </trans-unit> <trans-unit id="ElementsCannotBeNull"> <source>Elements cannot be null.</source> <target state="translated">Los elementos no pueden ser NULL.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportClause"> <source>Unused import clause.</source> <target state="translated">Cláusula de importación sin usar.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportStatement"> <source>Unused import statement.</source> <target state="translated">Instrucción de importación sin usar.</target> <note /> </trans-unit> <trans-unit id="WrongSemanticModelType"> <source>Expected a {0} SemanticModel.</source> <target state="translated">Se esperaba un SemanticModel de {0}.</target> <note /> </trans-unit> <trans-unit id="PositionNotWithinTree"> <source>Position must be within span of the syntax tree.</source> <target state="translated">La posición debe estar dentro del intervalo del árbol de sintaxis.</target> <note /> </trans-unit> <trans-unit id="SpeculatedSyntaxNodeCannotBelongToCurrentCompilation"> <source>Syntax node to be speculated cannot belong to a syntax tree from the current compilation.</source> <target state="translated">El nodo de sintaxis que se va a especular no puede pertenecer a un árbol de sintaxis de la compilación actual.</target> <note /> </trans-unit> <trans-unit id="ChainingSpeculativeModelIsNotSupported"> <source>Chaining speculative semantic model is not supported. You should create a speculative model from the non-speculative ParentModel.</source> <target state="translated">No se puede encadenar el modelo semántico especulativo. Tiene que crear un modelo especulativo desde el modelo principal no especulativo.</target> <note /> </trans-unit> <trans-unit id="IDS_ToolName"> <source>Microsoft (R) Visual Basic Compiler</source> <target state="translated">Compilador de Microsoft (R) Visual Basic</target> <note /> </trans-unit> <trans-unit id="IDS_LogoLine1"> <source>{0} version {1}</source> <target state="translated">{0} versión {1}</target> <note /> </trans-unit> <trans-unit id="IDS_LogoLine2"> <source>Copyright (C) Microsoft Corporation. All rights reserved.</source> <target state="translated">Copyright (C) Microsoft Corporation. Todos los derechos reservados.</target> <note /> </trans-unit> <trans-unit id="IDS_LangVersions"> <source>Supported language versions:</source> <target state="translated">Versiones de lenguaje admitidas:</target> <note /> </trans-unit> <trans-unit id="WRN_PdbLocalNameTooLong"> <source>Local name '{0}' is too long for PDB. Consider shortening or compiling without /debug.</source> <target state="translated">El nombre local '{0}' es demasiado largo para PDB. Puede acortar o compilar sin /debug.</target> <note /> </trans-unit> <trans-unit id="WRN_PdbLocalNameTooLong_Title"> <source>Local name is too long for PDB</source> <target state="translated">El nombre local es demasiado largo para PDB</target> <note /> </trans-unit> <trans-unit id="WRN_PdbUsingNameTooLong"> <source>Import string '{0}' is too long for PDB. Consider shortening or compiling without /debug.</source> <target state="translated">La cadena de importación '{0}' es demasiado larga para PDB. Puede acortar o compilar sin /debug.</target> <note /> </trans-unit> <trans-unit id="WRN_PdbUsingNameTooLong_Title"> <source>Import string is too long for PDB</source> <target state="translated">La cadena de importación es demasiado larga para PDB</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefToTypeParameter"> <source>XML comment has a tag with a 'cref' attribute '{0}' that bound to a type parameter. Use the &lt;typeparamref&gt; tag instead.</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' '{0}' enlazado a un parámetro de tipo. Use la etiqueta &lt;typeparamref&gt; en su lugar.</target> <note /> </trans-unit> <trans-unit id="WRN_XMLDocCrefToTypeParameter_Title"> <source>XML comment has a tag with a 'cref' attribute that bound to a type parameter</source> <target state="translated">El comentario XML tiene una etiqueta con un atributo 'cref' que enlaza a un parámetro de tipo</target> <note /> </trans-unit> <trans-unit id="ERR_LinkedNetmoduleMetadataMustProvideFullPEImage"> <source>Linked netmodule metadata must provide a full PE image: '{0}'.</source> <target state="translated">El metadato netmodule vinculado debe proporcionar una imagen PE completa: '{0}'.</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerCannotBeCreated"> <source>An instance of analyzer {0} cannot be created from {1} : {2}.</source> <target state="translated">No se puede crear una instancia de analizador {0} desde {1} : {2}.</target> <note /> </trans-unit> <trans-unit id="WRN_AnalyzerCannotBeCreated_Title"> <source>Instance of analyzer cannot be created</source> <target state="translated">No se puede crear la instancia del analizador</target> <note /> </trans-unit> <trans-unit id="WRN_NoAnalyzerInAssembly"> <source>The assembly {0} does not contain any analyzers.</source> <target state="translated">El ensamblado {0} no contiene ningún analizador.</target> <note /> </trans-unit> <trans-unit id="WRN_NoAnalyzerInAssembly_Title"> <source>Assembly does not contain any analyzers</source> <target state="translated">El ensamblado no contiene ningún analizador</target> <note /> </trans-unit> <trans-unit id="WRN_UnableToLoadAnalyzer"> <source>Unable to load analyzer assembly {0} : {1}.</source> <target state="translated">No se puede cargar el ensamblado de analizador {0} : {1}.</target> <note /> </trans-unit> <trans-unit id="WRN_UnableToLoadAnalyzer_Title"> <source>Unable to load analyzer assembly</source> <target state="translated">No se puede cargar el ensamblado del analizador</target> <note /> </trans-unit> <trans-unit id="INF_UnableToLoadSomeTypesInAnalyzer"> <source>Skipping some types in analyzer assembly {0} due to a ReflectionTypeLoadException : {1}.</source> <target state="translated">Omisión de algunos tipos en el ensamblado de analizador {0} por una ReflectionTypeLoadException: {1}.</target> <note /> </trans-unit> <trans-unit id="INF_UnableToLoadSomeTypesInAnalyzer_Title"> <source>Skip loading types in analyzer assembly that fail due to a ReflectionTypeLoadException</source> <target state="translated">Omitir la carga de los tipos con errores en el ensamblado de analizador debido a ReflectionTypeLoadException</target> <note /> </trans-unit> <trans-unit id="ERR_CantReadRulesetFile"> <source>Error reading ruleset file {0} - {1}</source> <target state="translated">Error al leer el archivo de conjunto de reglas {0}: {1}</target> <note /> </trans-unit> <trans-unit id="ERR_PlatformDoesntSupport"> <source>{0} is not supported in current project type.</source> <target state="translated">{0} no se admite en el tipo de proyecto actual.</target> <note /> </trans-unit> <trans-unit id="ERR_CantUseRequiredAttribute"> <source>The RequiredAttribute attribute is not permitted on Visual Basic types.</source> <target state="translated">El atributo RequiredAttribute no está permitido en los tipos de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="ERR_EncodinglessSyntaxTree"> <source>Cannot emit debug information for a source text without encoding.</source> <target state="translated">No se puede emitir información de depuración para un texto de origen sin descodificar.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidFormatSpecifier"> <source>'{0}' is not a valid format specifier</source> <target state="translated">'{0}' no es un especificador de formato válido</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidPreprocessorConstantType"> <source>Preprocessor constant '{0}' of type '{1}' is not supported, only primitive types are allowed.</source> <target state="translated">No se admite la constante de preprocesador "{0}" de tipo "{1}"; solo se permiten los tipos primitivos.</target> <note /> </trans-unit> <trans-unit id="ERR_ExpectedWarningKeyword"> <source>'Warning' expected.</source> <target state="translated">'Se esperaba 'Warning'.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotBeMadeNullable1"> <source>'{0}' cannot be made nullable.</source> <target state="translated">'No se puede hacer que '{0}' acepte valores NULL.</target> <note /> </trans-unit> <trans-unit id="ERR_BadConditionalWithRef"> <source>Leading '?' can only appear inside a 'With' statement, but not inside an object member initializer.</source> <target state="translated">El símbolo '?' inicial solo puede aparecer dentro de una instrucción 'With', no dentro de un inicializador de miembro de objeto.</target> <note /> </trans-unit> <trans-unit id="ERR_NullPropagatingOpInExpressionTree"> <source>A null propagating operator cannot be converted into an expression tree.</source> <target state="translated">No se puede convertir un operador que propague el valor en un árbol de expresión.</target> <note /> </trans-unit> <trans-unit id="ERR_TooLongOrComplexExpression"> <source>An expression is too long or complex to compile</source> <target state="translated">Una expresión es demasiado larga o compleja para compilarla</target> <note /> </trans-unit> <trans-unit id="ERR_ExpressionDoesntHaveName"> <source>This expression does not have a name.</source> <target state="translated">Esta expresión no tiene nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidNameOfSubExpression"> <source>This sub-expression cannot be used inside NameOf argument.</source> <target state="translated">Esta subexpresión no se puede usar dentro del argumento NameOf.</target> <note /> </trans-unit> <trans-unit id="ERR_MethodTypeArgsUnexpected"> <source>Method type arguments unexpected.</source> <target state="translated">Argumentos de tipo de método inesperados.</target> <note /> </trans-unit> <trans-unit id="NoNoneSearchCriteria"> <source>SearchCriteria is expected.</source> <target state="translated">Se espera SearchCriteria.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidAssemblyCulture"> <source>Assembly culture strings may not contain embedded NUL characters.</source> <target state="translated">Las cadenas de referencia cultural de ensamblado no pueden contener caracteres NULL incrustados.</target> <note /> </trans-unit> <trans-unit id="ERR_InReferencedAssembly"> <source>There is an error in a referenced assembly '{0}'.</source> <target state="translated">Hay un error en un ensamblado al que se hace referencia: '{0}'.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolationFormatWhitespace"> <source>Format specifier may not contain trailing whitespace.</source> <target state="translated">El especificador de formato no puede contener un espacio en blanco al final.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolationAlignmentOutOfRange"> <source>Alignment value is outside of the supported range.</source> <target state="translated">El valor de alineación se encuentra fuera del rango admitido.</target> <note /> </trans-unit> <trans-unit id="ERR_InterpolatedStringFactoryError"> <source>There were one or more errors emitting a call to {0}.{1}. Method or its return type may be missing or malformed.</source> <target state="translated">Uno o varios errores emitieron una llamada a {0}.{1}. Es posible que falte el método o su tipo de retorno, o que el formato no sea correcto.</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportClause_Title"> <source>Unused import clause</source> <target state="translated">Cláusula de importación sin usar</target> <note /> </trans-unit> <trans-unit id="HDN_UnusedImportStatement_Title"> <source>Unused import statement</source> <target state="translated">Instrucción de importación sin usar</target> <note /> </trans-unit> <trans-unit id="ERR_ConstantStringTooLong"> <source>Length of String constant resulting from concatenation exceeds System.Int32.MaxValue. Try splitting the string into multiple constants.</source> <target state="translated">La longitud de la constante de cadena resultante de la concatenación supera el valor System.Int32.MaxValue. Pruebe a dividir la cadena en varias constantes.</target> <note /> </trans-unit> <trans-unit id="ERR_LanguageVersion"> <source>Visual Basic {0} does not support {1}.</source> <target state="translated">Visual Basic {0} no admite {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_BadPdbData"> <source>Error reading debug information for '{0}'</source> <target state="translated">Error al leer información de depuración de '{0}'</target> <note /> </trans-unit> <trans-unit id="FEATURE_ArrayLiterals"> <source>array literal expressions</source> <target state="translated">expresiones literales de matriz</target> <note /> </trans-unit> <trans-unit id="FEATURE_AsyncExpressions"> <source>async methods or lambdas</source> <target state="translated">expresiones lambda o métodos asincrónicos</target> <note /> </trans-unit> <trans-unit id="FEATURE_AutoProperties"> <source>auto-implemented properties</source> <target state="translated">propiedades implementadas automáticamente</target> <note /> </trans-unit> <trans-unit id="FEATURE_ReadonlyAutoProperties"> <source>readonly auto-implemented properties</source> <target state="translated">propiedades de solo lectura implementadas automáticamente</target> <note /> </trans-unit> <trans-unit id="FEATURE_CoContraVariance"> <source>variance</source> <target state="translated">varianza</target> <note /> </trans-unit> <trans-unit id="FEATURE_CollectionInitializers"> <source>collection initializers</source> <target state="translated">inicializadores de colección</target> <note /> </trans-unit> <trans-unit id="FEATURE_GlobalNamespace"> <source>declaring a Global namespace</source> <target state="translated">declaración de un espacio de nombres global</target> <note /> </trans-unit> <trans-unit id="FEATURE_Iterators"> <source>iterators</source> <target state="translated">iteradores</target> <note /> </trans-unit> <trans-unit id="FEATURE_LineContinuation"> <source>implicit line continuation</source> <target state="translated">continuación de línea implícita</target> <note /> </trans-unit> <trans-unit id="FEATURE_StatementLambdas"> <source>multi-line lambda expressions</source> <target state="translated">expresiones lambda de varias líneas</target> <note /> </trans-unit> <trans-unit id="FEATURE_SubLambdas"> <source>'Sub' lambda expressions</source> <target state="translated">'Expresiones lambda 'Sub'</target> <note /> </trans-unit> <trans-unit id="FEATURE_NullPropagatingOperator"> <source>null conditional operations</source> <target state="translated">operaciones condicionales nulas</target> <note /> </trans-unit> <trans-unit id="FEATURE_NameOfExpressions"> <source>'nameof' expressions</source> <target state="translated">'expresiones "nameof"</target> <note /> </trans-unit> <trans-unit id="FEATURE_RegionsEverywhere"> <source>region directives within method bodies or regions crossing boundaries of declaration blocks</source> <target state="translated">directivas de región dentro de cuerpos de métodos o regiones que cruzan los límites de los bloques de declaración</target> <note /> </trans-unit> <trans-unit id="FEATURE_MultilineStringLiterals"> <source>multiline string literals</source> <target state="translated">literales de cadena de varias líneas</target> <note /> </trans-unit> <trans-unit id="FEATURE_CObjInAttributeArguments"> <source>CObj in attribute arguments</source> <target state="translated">CObj en argumentos de atributo</target> <note /> </trans-unit> <trans-unit id="FEATURE_LineContinuationComments"> <source>line continuation comments</source> <target state="translated">comentarios de continuación de línea</target> <note /> </trans-unit> <trans-unit id="FEATURE_TypeOfIsNot"> <source>TypeOf IsNot expression</source> <target state="translated">Expresión TypeOf IsNot</target> <note /> </trans-unit> <trans-unit id="FEATURE_YearFirstDateLiterals"> <source>year-first date literals</source> <target state="translated">literales de primera fecha del año</target> <note /> </trans-unit> <trans-unit id="FEATURE_WarningDirectives"> <source>warning directives</source> <target state="translated">directivas de advertencia</target> <note /> </trans-unit> <trans-unit id="FEATURE_PartialModules"> <source>partial modules</source> <target state="translated">módulos parciales</target> <note /> </trans-unit> <trans-unit id="FEATURE_PartialInterfaces"> <source>partial interfaces</source> <target state="translated">interfaces parciales</target> <note /> </trans-unit> <trans-unit id="FEATURE_ImplementingReadonlyOrWriteonlyPropertyWithReadwrite"> <source>implementing read-only or write-only property with read-write property</source> <target state="translated">implementación de la propiedad de solo lectura o solo escritura con la propiedad de solo lectura</target> <note /> </trans-unit> <trans-unit id="FEATURE_DigitSeparators"> <source>digit separators</source> <target state="translated">separadores de dígitos</target> <note /> </trans-unit> <trans-unit id="FEATURE_BinaryLiterals"> <source>binary literals</source> <target state="translated">literales binarios</target> <note /> </trans-unit> <trans-unit id="FEATURE_Tuples"> <source>tuples</source> <target state="translated">tuplas</target> <note /> </trans-unit> <trans-unit id="FEATURE_PrivateProtected"> <source>Private Protected</source> <target state="translated">Private Protected</target> <note /> </trans-unit> <trans-unit id="ERR_DebugEntryPointNotSourceMethodDefinition"> <source>Debug entry point must be a definition of a method declared in the current compilation.</source> <target state="translated">El punto de entrada de depuración debe ser una definición de un método declarado en la compilación actual.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidPathMap"> <source>The pathmap option was incorrectly formatted.</source> <target state="translated">La opción pathmap no tenía el formato correcto.</target> <note /> </trans-unit> <trans-unit id="SyntaxTreeIsNotASubmission"> <source>Syntax tree should be created from a submission.</source> <target state="translated">El árbol de sintaxis debe crearse desde un envío.</target> <note /> </trans-unit> <trans-unit id="ERR_TooManyUserStrings"> <source>Combined length of user strings used by the program exceeds allowed limit. Try to decrease use of string or XML literals.</source> <target state="translated">La longitud combinada de las cadenas de usuario que el programa utiliza supera el límite permitido. Intente disminuir el uso de literales de cadena o XML.</target> <note /> </trans-unit> <trans-unit id="ERR_PeWritingFailure"> <source>An error occurred while writing the output file: {0}</source> <target state="translated">Error al escribir en el archivo de salida: {0}.</target> <note /> </trans-unit> <trans-unit id="ERR_OptionMustBeAbsolutePath"> <source>Option '{0}' must be an absolute path.</source> <target state="translated">La opción '{0}' debe ser una ruta de acceso absoluta.</target> <note /> </trans-unit> <trans-unit id="ERR_SourceLinkRequiresPdb"> <source>/sourcelink switch is only supported when emitting PDB.</source> <target state="translated">El modificador /sourcelink solo se admite al emitir PDB.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleDuplicateElementName"> <source>Tuple element names must be unique.</source> <target state="translated">Los nombres de elemento de tupla deben ser únicos.</target> <note /> </trans-unit> <trans-unit id="WRN_TupleLiteralNameMismatch"> <source>The tuple element name '{0}' is ignored because a different name or no name is specified by the target type '{1}'.</source> <target state="translated">No se tiene en cuenta el nombre de elemento de tupla "{0}" porque el tipo de destino "{1}" ha especificado otro nombre o no ha especificado ninguno.</target> <note /> </trans-unit> <trans-unit id="WRN_TupleLiteralNameMismatch_Title"> <source>The tuple element name is ignored because a different name or no name is specified by the assignment target.</source> <target state="translated">No se tiene en cuenta el nombre de elemento de tupla porque el destino de la asignación ha especificado otro nombre o no ha especificado ninguno.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleReservedElementName"> <source>Tuple element name '{0}' is only allowed at position {1}.</source> <target state="translated">El nombre '{0}' del elemento de tupla solo se permite en la posición {1}.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleReservedElementNameAnyPosition"> <source>Tuple element name '{0}' is disallowed at any position.</source> <target state="translated">El nombre '{0}' del elemento de tupla no se permite en ninguna posición.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleTooFewElements"> <source>Tuple must contain at least two elements.</source> <target state="translated">Una tupla debe contener al menos dos elementos.</target> <note /> </trans-unit> <trans-unit id="ERR_TupleElementNamesAttributeMissing"> <source>Cannot define a class or member that utilizes tuples because the compiler required type '{0}' cannot be found. Are you missing a reference?</source> <target state="translated">No se puede definir una clase o un miembro que utiliza tuplas porque no se encuentra el tipo requerido de compilador '{0}'. ¿Falta alguna referencia?</target> <note /> </trans-unit> <trans-unit id="ERR_ExplicitTupleElementNamesAttribute"> <source>Cannot reference 'System.Runtime.CompilerServices.TupleElementNamesAttribute' explicitly. Use the tuple syntax to define tuple names.</source> <target state="translated">No se puede hacer referencia a 'System.Runtime.CompilerServices.TupleElementNamesAttribute' explícitamente. Use la sintaxis de tupla para definir nombres de tupla.</target> <note /> </trans-unit> <trans-unit id="ERR_RefReturningCallInExpressionTree"> <source>An expression tree may not contain a call to a method or property that returns by reference.</source> <target state="translated">Un árbol de expresión no puede contener una llamada a un método o una propiedad que devuelve por referencia.</target> <note /> </trans-unit> <trans-unit id="ERR_CannotEmbedWithoutPdb"> <source>/embed switch is only supported when emitting a PDB.</source> <target state="translated">El modificador /embed solo se admite al emitir un PDB.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidInstrumentationKind"> <source>Invalid instrumentation kind: {0}</source> <target state="translated">Clase de instrumentación no válida: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_DocFileGen"> <source>Error writing to XML documentation file: {0}</source> <target state="translated">Error al escribir en el archivo de documentación XML: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_BadAssemblyName"> <source>Invalid assembly name: {0}</source> <target state="translated">Nombre de ensamblado no válido: {0}</target> <note /> </trans-unit> <trans-unit id="ERR_TypeForwardedToMultipleAssemblies"> <source>Module '{0}' in assembly '{1}' is forwarding the type '{2}' to multiple assemblies: '{3}' and '{4}'.</source> <target state="translated">El módulo "{0}" del ensamblado "{1}" va a reenviar el tipo "{2}" a varios ensamblados: "{3}" y "{4}".</target> <note /> </trans-unit> <trans-unit id="ERR_Merge_conflict_marker_encountered"> <source>Merge conflict marker encountered</source> <target state="translated">Se encontró un marcador de conflicto de fusión mediante combinación</target> <note /> </trans-unit> <trans-unit id="ERR_NoRefOutWhenRefOnly"> <source>Do not use refout when using refonly.</source> <target state="translated">No use refout si utiliza refonly.</target> <note /> </trans-unit> <trans-unit id="ERR_NoNetModuleOutputWhenRefOutOrRefOnly"> <source>Cannot compile net modules when using /refout or /refonly.</source> <target state="translated">No se pueden compilar módulos al usar /refout o /refonly.</target> <note /> </trans-unit> <trans-unit id="ERR_BadNonTrailingNamedArgument"> <source>Named argument '{0}' is used out-of-position but is followed by an unnamed argument</source> <target state="translated">El argumento "{0}" con nombre se usa fuera de posición, pero va seguido de un argumento sin nombre.</target> <note /> </trans-unit> <trans-unit id="ERR_BadDocumentationMode"> <source>Provided documentation mode is unsupported or invalid: '{0}'.</source> <target state="translated">El modo de documentación proporcionado no se admite o no es válido: "{0}".</target> <note /> </trans-unit> <trans-unit id="ERR_BadLanguageVersion"> <source>Provided language version is unsupported or invalid: '{0}'.</source> <target state="translated">La versión de lenguaje proporcionada no se admite o no es válida: "{0}".</target> <note /> </trans-unit> <trans-unit id="ERR_BadSourceCodeKind"> <source>Provided source code kind is unsupported or invalid: '{0}'</source> <target state="translated">El tipo de código fuente proporcionado no se admite o no es válido: "{0}"</target> <note /> </trans-unit> <trans-unit id="ERR_TupleInferredNamesNotAvailable"> <source>Tuple element name '{0}' is inferred. Please use language version {1} or greater to access an element by its inferred name.</source> <target state="translated">El nombre "{0}" del elemento de tupla se ha deducido. Use la versión {1} del lenguaje, o una versión posterior, para acceder a un elemento por el nombre deducido.</target> <note /> </trans-unit> <trans-unit id="WRN_Experimental"> <source>'{0}' is for evaluation purposes only and is subject to change or removal in future updates.</source> <target state="translated">"{0}" se incluye con fines de evaluación y está sujeto a cambios o a que se elimine en próximas actualizaciones.</target> <note /> </trans-unit> <trans-unit id="WRN_Experimental_Title"> <source>Type is for evaluation purposes only and is subject to change or removal in future updates.</source> <target state="translated">Este tipo se incluye solo con fines de evaluación y está sujeto a cambios o a que se elimine en próximas actualizaciones.</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidDebugInfo"> <source>Unable to read debug information of method '{0}' (token 0x{1}) from assembly '{2}'</source> <target state="translated">No se puede leer la información de depuración del método "{0}" (token 0x{1}) desde el ensamblado "{2}"</target> <note /> </trans-unit> <trans-unit id="IConversionExpressionIsNotVisualBasicConversion"> <source>{0} is not a valid Visual Basic conversion expression</source> <target state="translated">{0} no es una expresión de conversión válida de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="IArgumentIsNotVisualBasicArgument"> <source>{0} is not a valid Visual Basic argument</source> <target state="translated">{0} no es un argumento válido de Visual Basic.</target> <note /> </trans-unit> <trans-unit id="FEATURE_LeadingDigitSeparator"> <source>leading digit separator</source> <target state="translated">separador de dígito inicial</target> <note /> </trans-unit> <trans-unit id="ERR_ValueTupleResolutionAmbiguous3"> <source>Predefined type '{0}' is declared in multiple referenced assemblies: '{1}' and '{2}'</source> <target state="translated">El tipo "{0}" predefinido se declara en varios ensamblados a los que se hace referencia: "{1}" y "{2}"</target> <note /> </trans-unit> <trans-unit id="ICompoundAssignmentOperationIsNotVisualBasicCompoundAssignment"> <source>{0} is not a valid Visual Basic compound assignment operation</source> <target state="translated">{0} no es una operación de asignación compuesta de Visual Basic válida</target> <note /> </trans-unit> <trans-unit id="ERR_InvalidHashAlgorithmName"> <source>Invalid hash algorithm name: '{0}'</source> <target state="translated">Nombre de algoritmo hash no válido: "{0}"</target> <note /> </trans-unit> <trans-unit id="FEATURE_InterpolatedStrings"> <source>interpolated strings</source> <target state="translated">cadenas interpoladas</target> <note /> </trans-unit> <trans-unit id="FTL_InvalidInputFileName"> <source>File name '{0}' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long</source> <target state="translated">El nombre de archivo '{0}' está vacío, contiene caracteres no válidos, tiene una especificación de unidad sin ruta de acceso absoluta o es demasiado largo</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeNotSupportedInVB"> <source>'{0}' is not supported in VB.</source> <target state="translated">No se admite "{0}" en VB.</target> <note /> </trans-unit> <trans-unit id="WRN_AttributeNotSupportedInVB_Title"> <source>Attribute is not supported in VB</source> <target state="translated">El atributo no se admite en VB</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Analyzers/Core/Analyzers/xlf/AnalyzersResources.it.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../AnalyzersResources.resx"> <body> <trans-unit id="A_source_file_contains_a_header_that_does_not_match_the_required_text"> <source>A source file contains a header that does not match the required text</source> <target state="translated">Un file di origine contiene un'intestazione che non corrisponde al testo obbligatorio</target> <note /> </trans-unit> <trans-unit id="A_source_file_is_missing_a_required_header"> <source>A source file is missing a required header.</source> <target state="translated">In un file di origine manca un'intestazione obbligatoria.</target> <note /> </trans-unit> <trans-unit id="Accessibility_modifiers_required"> <source>Accessibility modifiers required</source> <target state="translated">Modificatori di accessibilità obbligatori</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Aggiungi i modificatori di accessibilità</target> <note /> </trans-unit> <trans-unit id="Add_parentheses_for_clarity"> <source>Add parentheses for clarity</source> <target state="translated">Aggiungi le parentesi per chiarezza</target> <note /> </trans-unit> <trans-unit id="Add_readonly_modifier"> <source>Add readonly modifier</source> <target state="translated">Aggiungi modificatore readonly</target> <note /> </trans-unit> <trans-unit id="Add_this_or_Me_qualification"> <source>Add 'this' or 'Me' qualification.</source> <target state="translated">Aggiunge la qualificazione 'this' o 'Me'.</target> <note /> </trans-unit> <trans-unit id="Avoid_legacy_format_target_0_in_SuppressMessageAttribute"> <source>Avoid legacy format target '{0}' in 'SuppressMessageAttribute'</source> <target state="translated">Evita la destinazione di formato legacy '{0}' in 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Avoid_legacy_format_target_in_SuppressMessageAttribute"> <source>Avoid legacy format target in 'SuppressMessageAttribute'</source> <target state="translated">Evita la destinazione di formato legacy in 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Avoid_multiple_blank_lines"> <source>Avoid multiple blank lines</source> <target state="translated">Evitare più righe vuote</target> <note /> </trans-unit> <trans-unit id="Avoid_unnecessary_value_assignments_in_your_code_as_these_likely_indicate_redundant_value_computations_If_the_value_computation_is_not_redundant_and_you_intend_to_retain_the_assignmentcomma_then_change_the_assignment_target_to_a_local_variable_whose_name_starts_with_an_underscore_and_is_optionally_followed_by_an_integercomma_such_as___comma__1_comma__2_comma_etc"> <source>Avoid unnecessary value assignments in your code, as these likely indicate redundant value computations. If the value computation is not redundant and you intend to retain the assignment, then change the assignment target to a local variable whose name starts with an underscore and is optionally followed by an integer, such as '_', '_1', '_2', etc. These are treated as special discard symbol names.</source> <target state="translated">Evitare assegnazioni di valori non necessarie nel codice perché indicano probabilmente calcoli di valori ridondanti. Se il calcolo del valore non è ridondante e si intende mantenere l'assegnazione, modificare la destinazione dell'assegnazione in una variabile locale il cui nome inizia con un carattere di sottolineatura e, facoltativamente, è seguito da un numero intero, ad esempio '_', '_1', '_2' e così via. Questi vengono considerati come nomi di simboli speciali di rimozione.</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_parameters_in_your_code_If_the_parameter_cannot_be_removed_then_change_its_name_so_it_starts_with_an_underscore_and_is_optionally_followed_by_an_integer_such_as__comma__1_comma__2_etc_These_are_treated_as_special_discard_symbol_names"> <source>Avoid unused parameters in your code. If the parameter cannot be removed, then change its name so it starts with an underscore and is optionally followed by an integer, such as '_', '_1', '_2', etc. These are treated as special discard symbol names.</source> <target state="translated">Evitare parametri inutilizzati nel codice. Se non è possibile rimuovere il parametro, modificarne il nome in modo che inizi con un carattere di sottolineatura e, facoltativamente, sia seguito da un numero intero, ad esempio '_', '_1', '_2' e così via. Questi vengono considerati come nomi di simboli speciali di rimozione.</target> <note /> </trans-unit> <trans-unit id="Blank_line_required_between_block_and_subsequent_statement"> <source>Blank line required between block and subsequent statement</source> <target state="translated">È richiesta una riga vuota tra il blocco e l'istruzione successiva</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_match_folder_structure"> <source>Change namespace to match folder structure</source> <target state="translated">Cambia namespace in modo che corrisponda alla struttura di cartelle</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Changes_to_expression_trees_may_result_in_behavior_changes_at_runtime"> <source>Changes to expression trees may result in behavior changes at runtime</source> <target state="translated">Le modifiche apportate agli alberi delle espressioni possono causare modifiche di comportamento in fase di esecuzione</target> <note /> </trans-unit> <trans-unit id="Conditional_expression_can_be_simplified"> <source>Conditional expression can be simplified</source> <target state="translated">L'espressione condizionale può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Convert_to_conditional_expression"> <source>Convert to conditional expression</source> <target state="translated">Converti nell'espressione condizionale</target> <note /> </trans-unit> <trans-unit id="Convert_to_tuple"> <source>Convert to tuple</source> <target state="translated">Converti in tupla</target> <note /> </trans-unit> <trans-unit id="Expression_value_is_never_used"> <source>Expression value is never used</source> <target state="translated">Il valore dell'espressione non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Collection_initialization_can_be_simplified"> <source>Collection initialization can be simplified</source> <target state="translated">L'inizializzazione della raccolta può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Format_string_contains_invalid_placeholder"> <source>Format string contains invalid placeholder</source> <target state="translated">La stringa di formato contiene un segnaposto non valido</target> <note /> </trans-unit> <trans-unit id="GetHashCode_implementation_can_be_simplified"> <source>'GetHashCode' implementation can be simplified</source> <target state="translated">L'implementazione di 'GetHashCode' può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Interpolation_can_be_simplified"> <source>Interpolation can be simplified</source> <target state="translated">L'interpolazione può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Invalid_format_string"> <source>Invalid format string</source> <target state="translated">Stringa di formato non valida</target> <note /> </trans-unit> <trans-unit id="Invalid_global_SuppressMessageAttribute"> <source>Invalid global 'SuppressMessageAttribute'</source> <target state="translated">Attributo 'SuppressMessageAttribute' globale non valido</target> <note /> </trans-unit> <trans-unit id="Invalid_or_missing_target_for_SuppressMessageAttribute"> <source>Invalid or missing target for 'SuppressMessageAttribute'</source> <target state="translated">Destinazione mancante o non valida per l'attributo 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Invalid_scope_for_SuppressMessageAttribute"> <source>Invalid scope for 'SuppressMessageAttribute'</source> <target state="translated">Ambito non valido per l'attributo 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Make_field_readonly"> <source>Make field readonly</source> <target state="translated">Imposta il campo come di sola lettura</target> <note /> </trans-unit> <trans-unit id="Member_access_should_be_qualified"> <source>Member access should be qualified.</source> <target state="translated">L'accesso ai membri deve essere qualificato.</target> <note /> </trans-unit> <trans-unit id="Add_missing_cases"> <source>Add missing cases</source> <target state="translated">Aggiungi case mancanti</target> <note /> </trans-unit> <trans-unit id="Member_name_can_be_simplified"> <source>Member name can be simplified</source> <target state="translated">Il nome del membro può essere semplificato</target> <note /> </trans-unit> <trans-unit id="Modifiers_are_not_ordered"> <source>Modifiers are not ordered</source> <target state="translated">I modificatori non sono ordinati</target> <note /> </trans-unit> <trans-unit id="Namespace_0_does_not_match_folder_structure_expected_1"> <source>Namespace "{0}" does not match folder structure, expected "{1}"</source> <target state="translated">La parola chiave namespace "{0}" non corrisponde alla struttura di cartelle. Valore previsto: "{1}"</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Namespace_does_not_match_folder_structure"> <source>Namespace does not match folder structure</source> <target state="translated">La parola chiave namespace non corrisponde alla struttura di cartelle</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Naming_Styles"> <source>Naming Styles</source> <target state="translated">Stili di denominazione</target> <note /> </trans-unit> <trans-unit id="Naming_rule_violation_0"> <source>Naming rule violation: {0}</source> <target state="translated">Violazione della regola di denominazione: {0}</target> <note>{0} is the rule title, {1} is the way in which the rule was violated</note> </trans-unit> <trans-unit id="Null_check_can_be_simplified"> <source>Null check can be simplified</source> <target state="translated">Il controllo Null può essere semplificato</target> <note /> </trans-unit> <trans-unit id="Order_modifiers"> <source>Order modifiers</source> <target state="translated">Ordina i modificatori</target> <note /> </trans-unit> <trans-unit id="Parameter_0_can_be_removed_if_it_is_not_part_of_a_shipped_public_API_its_initial_value_is_never_used"> <source>Parameter '{0}' can be removed if it is not part of a shipped public API; its initial value is never used</source> <target state="translated">È possibile rimuovere il parametro '{0}' se non fa parte di un'API pubblica. Il relativo valore iniziale non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Parameter_0_can_be_removed_its_initial_value_is_never_used"> <source>Parameter '{0}' can be removed; its initial value is never used</source> <target state="translated">È possibile rimuovere il parametro '{0}'. Il relativo valore iniziale non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Object_initialization_can_be_simplified"> <source>Object initialization can be simplified</source> <target state="translated">L'inizializzazione dell'oggetto può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Parentheses_can_be_removed"> <source>Parentheses can be removed</source> <target state="translated">È possibile rimuovere le parentesi</target> <note /> </trans-unit> <trans-unit id="Parentheses_should_be_added_for_clarity"> <source>Parentheses should be added for clarity</source> <target state="translated">È necessario aggiungere le parentesi per chiarezza</target> <note /> </trans-unit> <trans-unit id="Populate_switch"> <source>Populate switch</source> <target state="translated">Popola switch</target> <note /> </trans-unit> <trans-unit id="Prefer_explicitly_provided_tuple_element_name"> <source>Prefer explicitly provided tuple element name</source> <target state="translated">Preferisci il nome di elemento di tupla specificato in modo esplicito</target> <note /> </trans-unit> <trans-unit id="Private_member_0_can_be_removed_as_the_value_assigned_to_it_is_never_read"> <source>Private member '{0}' can be removed as the value assigned to it is never read</source> <target state="translated">È possibile rimuovere il membro privato '{0}' perché il valore assegnato ad esso non viene mai letto</target> <note /> </trans-unit> <trans-unit id="Private_member_0_is_unused"> <source>Private member '{0}' is unused</source> <target state="translated">Il membro privato '{0}' è inutilizzato</target> <note /> </trans-unit> <trans-unit id="Private_method_0_can_be_removed_as_it_is_never_invoked"> <source>Private method '{0}' can be removed as it is never invoked.</source> <target state="translated">Il metodo privato '{0}' può essere rimosso perché non viene mai richiamato.</target> <note /> </trans-unit> <trans-unit id="Private_property_0_can_be_converted_to_a_method_as_its_get_accessor_is_never_invoked"> <source>Private property '{0}' can be converted to a method as its get accessor is never invoked.</source> <target state="translated">È possibile convertire la proprietà privata '{0}' in un metodo perché la relativa funzione di accesso get non viene mai richiamata.</target> <note /> </trans-unit> <trans-unit id="Remove_Unnecessary_Cast"> <source>Remove Unnecessary Cast</source> <target state="translated">Rimuovi cast non necessario</target> <note /> </trans-unit> <trans-unit id="Remove_redundant_equality"> <source>Remove redundant equality</source> <target state="translated">Rimuovi l'uguaglianza ridondante</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_parentheses"> <source>Remove unnecessary parentheses</source> <target state="translated">Rimuovi le parentesi non necessarie</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_suppression"> <source>Remove unnecessary suppression</source> <target state="translated">Rimuovere l'eliminazione non necessaria</target> <note /> </trans-unit> <trans-unit id="Remove_unread_private_members"> <source>Remove unread private members</source> <target state="translated">Rimuovi i membri privati non letti</target> <note /> </trans-unit> <trans-unit id="Remove_unused_member"> <source>Remove unused member</source> <target state="translated">Rimuovi il membro inutilizzato</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter"> <source>Remove unused parameter</source> <target state="translated">Rimuovere il parametro inutilizzato</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter_0"> <source>Remove unused parameter '{0}'</source> <target state="translated">Rimuovi il parametro inutilizzato '{0}'</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter_0_if_it_is_not_part_of_a_shipped_public_API"> <source>Remove unused parameter '{0}' if it is not part of a shipped public API</source> <target state="translated">Rimuovi il parametro inutilizzato '{0}' se non fa parte di un'API pubblica fornita</target> <note /> </trans-unit> <trans-unit id="Remove_unused_private_members"> <source>Remove unused private members</source> <target state="translated">Rimuovi i membri privati inutilizzati</target> <note /> </trans-unit> <trans-unit id="Simplify_LINQ_expression"> <source>Simplify LINQ expression</source> <target state="translated">Semplifica l'espressione LINQ</target> <note /> </trans-unit> <trans-unit id="Simplify_collection_initialization"> <source>Simplify collection initialization</source> <target state="translated">Semplifica l'inizializzazione della raccolta</target> <note /> </trans-unit> <trans-unit id="Simplify_conditional_expression"> <source>Simplify conditional expression</source> <target state="translated">Semplifica l'espressione condizionale</target> <note /> </trans-unit> <trans-unit id="Simplify_interpolation"> <source>Simplify interpolation</source> <target state="translated">Semplifica l'interpolazione</target> <note /> </trans-unit> <trans-unit id="Simplify_object_initialization"> <source>Simplify object initialization</source> <target state="translated">Semplifica l'inizializzazione degli oggetti</target> <note /> </trans-unit> <trans-unit id="The_file_header_does_not_match_the_required_text"> <source>The file header does not match the required text</source> <target state="translated">L'intestazione del file non corrisponde al testo obbligatorio</target> <note /> </trans-unit> <trans-unit id="The_file_header_is_missing_or_not_located_at_the_top_of_the_file"> <source>The file header is missing or not located at the top of the file</source> <target state="translated">L'intestazione del file manca o non si trova all'inizio del file</target> <note /> </trans-unit> <trans-unit id="Unnecessary_assignment_of_a_value"> <source>Unnecessary assignment of a value</source> <target state="translated">Assegnazione non necessaria di un valore</target> <note /> </trans-unit> <trans-unit id="Unnecessary_assignment_of_a_value_to_0"> <source>Unnecessary assignment of a value to '{0}'</source> <target state="translated">Assegnazione non necessaria di un valore a '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_System_HashCode"> <source>Use 'System.HashCode'</source> <target state="translated">Usa 'System.HashCode'</target> <note /> </trans-unit> <trans-unit id="Use_auto_property"> <source>Use auto property</source> <target state="translated">Usa la proprietà automatica</target> <note /> </trans-unit> <trans-unit id="Use_coalesce_expression"> <source>Use coalesce expression</source> <target state="translated">Usa l'espressione COALESCE</target> <note /> </trans-unit> <trans-unit id="Use_compound_assignment"> <source>Use compound assignment</source> <target state="translated">Usa l'assegnazione composta</target> <note /> </trans-unit> <trans-unit id="Use_decrement_operator"> <source>Use '--' operator</source> <target state="translated">Usa l'operatore '--'</target> <note /> </trans-unit> <trans-unit id="Use_explicitly_provided_tuple_name"> <source>Use explicitly provided tuple name</source> <target state="translated">Usa il nome di tupla specificato in modo esplicito</target> <note /> </trans-unit> <trans-unit id="Use_increment_operator"> <source>Use '++' operator</source> <target state="translated">Usa l'operatore '++'</target> <note /> </trans-unit> <trans-unit id="Use_inferred_member_name"> <source>Use inferred member name</source> <target state="translated">Usa il nome di membro dedotto</target> <note /> </trans-unit> <trans-unit id="Use_null_propagation"> <source>Use null propagation</source> <target state="translated">Usa la propagazione di valori Null</target> <note /> </trans-unit> <trans-unit id="Use_throw_expression"> <source>Use 'throw' expression</source> <target state="translated">Usa l'espressione 'throw'</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../AnalyzersResources.resx"> <body> <trans-unit id="A_source_file_contains_a_header_that_does_not_match_the_required_text"> <source>A source file contains a header that does not match the required text</source> <target state="translated">Un file di origine contiene un'intestazione che non corrisponde al testo obbligatorio</target> <note /> </trans-unit> <trans-unit id="A_source_file_is_missing_a_required_header"> <source>A source file is missing a required header.</source> <target state="translated">In un file di origine manca un'intestazione obbligatoria.</target> <note /> </trans-unit> <trans-unit id="Accessibility_modifiers_required"> <source>Accessibility modifiers required</source> <target state="translated">Modificatori di accessibilità obbligatori</target> <note /> </trans-unit> <trans-unit id="Add_accessibility_modifiers"> <source>Add accessibility modifiers</source> <target state="translated">Aggiungi i modificatori di accessibilità</target> <note /> </trans-unit> <trans-unit id="Add_parentheses_for_clarity"> <source>Add parentheses for clarity</source> <target state="translated">Aggiungi le parentesi per chiarezza</target> <note /> </trans-unit> <trans-unit id="Add_readonly_modifier"> <source>Add readonly modifier</source> <target state="translated">Aggiungi modificatore readonly</target> <note /> </trans-unit> <trans-unit id="Add_this_or_Me_qualification"> <source>Add 'this' or 'Me' qualification.</source> <target state="translated">Aggiunge la qualificazione 'this' o 'Me'.</target> <note /> </trans-unit> <trans-unit id="Avoid_legacy_format_target_0_in_SuppressMessageAttribute"> <source>Avoid legacy format target '{0}' in 'SuppressMessageAttribute'</source> <target state="translated">Evita la destinazione di formato legacy '{0}' in 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Avoid_legacy_format_target_in_SuppressMessageAttribute"> <source>Avoid legacy format target in 'SuppressMessageAttribute'</source> <target state="translated">Evita la destinazione di formato legacy in 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Avoid_multiple_blank_lines"> <source>Avoid multiple blank lines</source> <target state="translated">Evitare più righe vuote</target> <note /> </trans-unit> <trans-unit id="Avoid_unnecessary_value_assignments_in_your_code_as_these_likely_indicate_redundant_value_computations_If_the_value_computation_is_not_redundant_and_you_intend_to_retain_the_assignmentcomma_then_change_the_assignment_target_to_a_local_variable_whose_name_starts_with_an_underscore_and_is_optionally_followed_by_an_integercomma_such_as___comma__1_comma__2_comma_etc"> <source>Avoid unnecessary value assignments in your code, as these likely indicate redundant value computations. If the value computation is not redundant and you intend to retain the assignment, then change the assignment target to a local variable whose name starts with an underscore and is optionally followed by an integer, such as '_', '_1', '_2', etc. These are treated as special discard symbol names.</source> <target state="translated">Evitare assegnazioni di valori non necessarie nel codice perché indicano probabilmente calcoli di valori ridondanti. Se il calcolo del valore non è ridondante e si intende mantenere l'assegnazione, modificare la destinazione dell'assegnazione in una variabile locale il cui nome inizia con un carattere di sottolineatura e, facoltativamente, è seguito da un numero intero, ad esempio '_', '_1', '_2' e così via. Questi vengono considerati come nomi di simboli speciali di rimozione.</target> <note /> </trans-unit> <trans-unit id="Avoid_unused_parameters_in_your_code_If_the_parameter_cannot_be_removed_then_change_its_name_so_it_starts_with_an_underscore_and_is_optionally_followed_by_an_integer_such_as__comma__1_comma__2_etc_These_are_treated_as_special_discard_symbol_names"> <source>Avoid unused parameters in your code. If the parameter cannot be removed, then change its name so it starts with an underscore and is optionally followed by an integer, such as '_', '_1', '_2', etc. These are treated as special discard symbol names.</source> <target state="translated">Evitare parametri inutilizzati nel codice. Se non è possibile rimuovere il parametro, modificarne il nome in modo che inizi con un carattere di sottolineatura e, facoltativamente, sia seguito da un numero intero, ad esempio '_', '_1', '_2' e così via. Questi vengono considerati come nomi di simboli speciali di rimozione.</target> <note /> </trans-unit> <trans-unit id="Blank_line_required_between_block_and_subsequent_statement"> <source>Blank line required between block and subsequent statement</source> <target state="translated">È richiesta una riga vuota tra il blocco e l'istruzione successiva</target> <note /> </trans-unit> <trans-unit id="Change_namespace_to_match_folder_structure"> <source>Change namespace to match folder structure</source> <target state="translated">Cambia namespace in modo che corrisponda alla struttura di cartelle</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Changes_to_expression_trees_may_result_in_behavior_changes_at_runtime"> <source>Changes to expression trees may result in behavior changes at runtime</source> <target state="translated">Le modifiche apportate agli alberi delle espressioni possono causare modifiche di comportamento in fase di esecuzione</target> <note /> </trans-unit> <trans-unit id="Conditional_expression_can_be_simplified"> <source>Conditional expression can be simplified</source> <target state="translated">L'espressione condizionale può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Convert_to_conditional_expression"> <source>Convert to conditional expression</source> <target state="translated">Converti nell'espressione condizionale</target> <note /> </trans-unit> <trans-unit id="Convert_to_tuple"> <source>Convert to tuple</source> <target state="translated">Converti in tupla</target> <note /> </trans-unit> <trans-unit id="Expression_value_is_never_used"> <source>Expression value is never used</source> <target state="translated">Il valore dell'espressione non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Collection_initialization_can_be_simplified"> <source>Collection initialization can be simplified</source> <target state="translated">L'inizializzazione della raccolta può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Format_string_contains_invalid_placeholder"> <source>Format string contains invalid placeholder</source> <target state="translated">La stringa di formato contiene un segnaposto non valido</target> <note /> </trans-unit> <trans-unit id="GetHashCode_implementation_can_be_simplified"> <source>'GetHashCode' implementation can be simplified</source> <target state="translated">L'implementazione di 'GetHashCode' può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Interpolation_can_be_simplified"> <source>Interpolation can be simplified</source> <target state="translated">L'interpolazione può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Invalid_format_string"> <source>Invalid format string</source> <target state="translated">Stringa di formato non valida</target> <note /> </trans-unit> <trans-unit id="Invalid_global_SuppressMessageAttribute"> <source>Invalid global 'SuppressMessageAttribute'</source> <target state="translated">Attributo 'SuppressMessageAttribute' globale non valido</target> <note /> </trans-unit> <trans-unit id="Invalid_or_missing_target_for_SuppressMessageAttribute"> <source>Invalid or missing target for 'SuppressMessageAttribute'</source> <target state="translated">Destinazione mancante o non valida per l'attributo 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Invalid_scope_for_SuppressMessageAttribute"> <source>Invalid scope for 'SuppressMessageAttribute'</source> <target state="translated">Ambito non valido per l'attributo 'SuppressMessageAttribute'</target> <note /> </trans-unit> <trans-unit id="Make_field_readonly"> <source>Make field readonly</source> <target state="translated">Imposta il campo come di sola lettura</target> <note /> </trans-unit> <trans-unit id="Member_access_should_be_qualified"> <source>Member access should be qualified.</source> <target state="translated">L'accesso ai membri deve essere qualificato.</target> <note /> </trans-unit> <trans-unit id="Add_missing_cases"> <source>Add missing cases</source> <target state="translated">Aggiungi case mancanti</target> <note /> </trans-unit> <trans-unit id="Member_name_can_be_simplified"> <source>Member name can be simplified</source> <target state="translated">Il nome del membro può essere semplificato</target> <note /> </trans-unit> <trans-unit id="Modifiers_are_not_ordered"> <source>Modifiers are not ordered</source> <target state="translated">I modificatori non sono ordinati</target> <note /> </trans-unit> <trans-unit id="Namespace_0_does_not_match_folder_structure_expected_1"> <source>Namespace "{0}" does not match folder structure, expected "{1}"</source> <target state="translated">La parola chiave namespace "{0}" non corrisponde alla struttura di cartelle. Valore previsto: "{1}"</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Namespace_does_not_match_folder_structure"> <source>Namespace does not match folder structure</source> <target state="translated">La parola chiave namespace non corrisponde alla struttura di cartelle</target> <note>{Locked="namespace"} "namespace" is a keyword and should not be localized.</note> </trans-unit> <trans-unit id="Naming_Styles"> <source>Naming Styles</source> <target state="translated">Stili di denominazione</target> <note /> </trans-unit> <trans-unit id="Naming_rule_violation_0"> <source>Naming rule violation: {0}</source> <target state="translated">Violazione della regola di denominazione: {0}</target> <note>{0} is the rule title, {1} is the way in which the rule was violated</note> </trans-unit> <trans-unit id="Null_check_can_be_simplified"> <source>Null check can be simplified</source> <target state="translated">Il controllo Null può essere semplificato</target> <note /> </trans-unit> <trans-unit id="Order_modifiers"> <source>Order modifiers</source> <target state="translated">Ordina i modificatori</target> <note /> </trans-unit> <trans-unit id="Parameter_0_can_be_removed_if_it_is_not_part_of_a_shipped_public_API_its_initial_value_is_never_used"> <source>Parameter '{0}' can be removed if it is not part of a shipped public API; its initial value is never used</source> <target state="translated">È possibile rimuovere il parametro '{0}' se non fa parte di un'API pubblica. Il relativo valore iniziale non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Parameter_0_can_be_removed_its_initial_value_is_never_used"> <source>Parameter '{0}' can be removed; its initial value is never used</source> <target state="translated">È possibile rimuovere il parametro '{0}'. Il relativo valore iniziale non viene mai usato</target> <note /> </trans-unit> <trans-unit id="Object_initialization_can_be_simplified"> <source>Object initialization can be simplified</source> <target state="translated">L'inizializzazione dell'oggetto può essere semplificata</target> <note /> </trans-unit> <trans-unit id="Parentheses_can_be_removed"> <source>Parentheses can be removed</source> <target state="translated">È possibile rimuovere le parentesi</target> <note /> </trans-unit> <trans-unit id="Parentheses_should_be_added_for_clarity"> <source>Parentheses should be added for clarity</source> <target state="translated">È necessario aggiungere le parentesi per chiarezza</target> <note /> </trans-unit> <trans-unit id="Populate_switch"> <source>Populate switch</source> <target state="translated">Popola switch</target> <note /> </trans-unit> <trans-unit id="Prefer_explicitly_provided_tuple_element_name"> <source>Prefer explicitly provided tuple element name</source> <target state="translated">Preferisci il nome di elemento di tupla specificato in modo esplicito</target> <note /> </trans-unit> <trans-unit id="Private_member_0_can_be_removed_as_the_value_assigned_to_it_is_never_read"> <source>Private member '{0}' can be removed as the value assigned to it is never read</source> <target state="translated">È possibile rimuovere il membro privato '{0}' perché il valore assegnato ad esso non viene mai letto</target> <note /> </trans-unit> <trans-unit id="Private_member_0_is_unused"> <source>Private member '{0}' is unused</source> <target state="translated">Il membro privato '{0}' è inutilizzato</target> <note /> </trans-unit> <trans-unit id="Private_method_0_can_be_removed_as_it_is_never_invoked"> <source>Private method '{0}' can be removed as it is never invoked.</source> <target state="translated">Il metodo privato '{0}' può essere rimosso perché non viene mai richiamato.</target> <note /> </trans-unit> <trans-unit id="Private_property_0_can_be_converted_to_a_method_as_its_get_accessor_is_never_invoked"> <source>Private property '{0}' can be converted to a method as its get accessor is never invoked.</source> <target state="translated">È possibile convertire la proprietà privata '{0}' in un metodo perché la relativa funzione di accesso get non viene mai richiamata.</target> <note /> </trans-unit> <trans-unit id="Remove_Unnecessary_Cast"> <source>Remove Unnecessary Cast</source> <target state="translated">Rimuovi cast non necessario</target> <note /> </trans-unit> <trans-unit id="Remove_redundant_equality"> <source>Remove redundant equality</source> <target state="translated">Rimuovi l'uguaglianza ridondante</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_parentheses"> <source>Remove unnecessary parentheses</source> <target state="translated">Rimuovi le parentesi non necessarie</target> <note /> </trans-unit> <trans-unit id="Remove_unnecessary_suppression"> <source>Remove unnecessary suppression</source> <target state="translated">Rimuovere l'eliminazione non necessaria</target> <note /> </trans-unit> <trans-unit id="Remove_unread_private_members"> <source>Remove unread private members</source> <target state="translated">Rimuovi i membri privati non letti</target> <note /> </trans-unit> <trans-unit id="Remove_unused_member"> <source>Remove unused member</source> <target state="translated">Rimuovi il membro inutilizzato</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter"> <source>Remove unused parameter</source> <target state="translated">Rimuovere il parametro inutilizzato</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter_0"> <source>Remove unused parameter '{0}'</source> <target state="translated">Rimuovi il parametro inutilizzato '{0}'</target> <note /> </trans-unit> <trans-unit id="Remove_unused_parameter_0_if_it_is_not_part_of_a_shipped_public_API"> <source>Remove unused parameter '{0}' if it is not part of a shipped public API</source> <target state="translated">Rimuovi il parametro inutilizzato '{0}' se non fa parte di un'API pubblica fornita</target> <note /> </trans-unit> <trans-unit id="Remove_unused_private_members"> <source>Remove unused private members</source> <target state="translated">Rimuovi i membri privati inutilizzati</target> <note /> </trans-unit> <trans-unit id="Simplify_LINQ_expression"> <source>Simplify LINQ expression</source> <target state="translated">Semplifica l'espressione LINQ</target> <note /> </trans-unit> <trans-unit id="Simplify_collection_initialization"> <source>Simplify collection initialization</source> <target state="translated">Semplifica l'inizializzazione della raccolta</target> <note /> </trans-unit> <trans-unit id="Simplify_conditional_expression"> <source>Simplify conditional expression</source> <target state="translated">Semplifica l'espressione condizionale</target> <note /> </trans-unit> <trans-unit id="Simplify_interpolation"> <source>Simplify interpolation</source> <target state="translated">Semplifica l'interpolazione</target> <note /> </trans-unit> <trans-unit id="Simplify_object_initialization"> <source>Simplify object initialization</source> <target state="translated">Semplifica l'inizializzazione degli oggetti</target> <note /> </trans-unit> <trans-unit id="The_file_header_does_not_match_the_required_text"> <source>The file header does not match the required text</source> <target state="translated">L'intestazione del file non corrisponde al testo obbligatorio</target> <note /> </trans-unit> <trans-unit id="The_file_header_is_missing_or_not_located_at_the_top_of_the_file"> <source>The file header is missing or not located at the top of the file</source> <target state="translated">L'intestazione del file manca o non si trova all'inizio del file</target> <note /> </trans-unit> <trans-unit id="Unnecessary_assignment_of_a_value"> <source>Unnecessary assignment of a value</source> <target state="translated">Assegnazione non necessaria di un valore</target> <note /> </trans-unit> <trans-unit id="Unnecessary_assignment_of_a_value_to_0"> <source>Unnecessary assignment of a value to '{0}'</source> <target state="translated">Assegnazione non necessaria di un valore a '{0}'</target> <note /> </trans-unit> <trans-unit id="Use_System_HashCode"> <source>Use 'System.HashCode'</source> <target state="translated">Usa 'System.HashCode'</target> <note /> </trans-unit> <trans-unit id="Use_auto_property"> <source>Use auto property</source> <target state="translated">Usa la proprietà automatica</target> <note /> </trans-unit> <trans-unit id="Use_coalesce_expression"> <source>Use coalesce expression</source> <target state="translated">Usa l'espressione COALESCE</target> <note /> </trans-unit> <trans-unit id="Use_compound_assignment"> <source>Use compound assignment</source> <target state="translated">Usa l'assegnazione composta</target> <note /> </trans-unit> <trans-unit id="Use_decrement_operator"> <source>Use '--' operator</source> <target state="translated">Usa l'operatore '--'</target> <note /> </trans-unit> <trans-unit id="Use_explicitly_provided_tuple_name"> <source>Use explicitly provided tuple name</source> <target state="translated">Usa il nome di tupla specificato in modo esplicito</target> <note /> </trans-unit> <trans-unit id="Use_increment_operator"> <source>Use '++' operator</source> <target state="translated">Usa l'operatore '++'</target> <note /> </trans-unit> <trans-unit id="Use_inferred_member_name"> <source>Use inferred member name</source> <target state="translated">Usa il nome di membro dedotto</target> <note /> </trans-unit> <trans-unit id="Use_null_propagation"> <source>Use null propagation</source> <target state="translated">Usa la propagazione di valori Null</target> <note /> </trans-unit> <trans-unit id="Use_throw_expression"> <source>Use 'throw' expression</source> <target state="translated">Usa l'espressione 'throw'</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/EditorFeatures/VisualBasic/xlf/VBEditorResources.es.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">Agregar las importaciones que faltan al pegar</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">Agregando las importaciones que faltan...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">Corrección de mayúsculas/minúsculas</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">Corrigiendo uso de mayúsculas/minúsculas...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">Esta llamada es exigida por el diseñador.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">Agregue cualquier inicialización después de la llamada a InitializeComponent().</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">Terminar construcción</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Sangría inteligente</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">Dando formato al documento...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Insertar nueva línea</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Pegado de formato</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Dando formato al texto pegado...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Pegar</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">Aplicar formato al guardar</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">Confirmando línea</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Lista descriptiva de Visual Basic</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">no compatible</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">Generar miembro</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">Confirmación de línea</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">Implementar interfaz o clase abstracta</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="es" original="../VBEditorResources.resx"> <body> <trans-unit id="Add_Missing_Imports_on_Paste"> <source>Add Missing Imports on Paste</source> <target state="translated">Agregar las importaciones que faltan al pegar</target> <note>"imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Adding_missing_imports"> <source>Adding missing imports...</source> <target state="translated">Agregando las importaciones que faltan...</target> <note>Thread awaited dialog text. "imports" is a language specific term and should not be localized</note> </trans-unit> <trans-unit id="Case_Correction"> <source>Case Correction</source> <target state="translated">Corrección de mayúsculas/minúsculas</target> <note /> </trans-unit> <trans-unit id="Correcting_word_casing"> <source>Correcting word casing...</source> <target state="translated">Corrigiendo uso de mayúsculas/minúsculas...</target> <note /> </trans-unit> <trans-unit id="This_call_is_required_by_the_designer"> <source>This call is required by the designer.</source> <target state="translated">Esta llamada es exigida por el diseñador.</target> <note /> </trans-unit> <trans-unit id="Add_any_initialization_after_the_InitializeComponent_call"> <source>Add any initialization after the InitializeComponent() call.</source> <target state="translated">Agregue cualquier inicialización después de la llamada a InitializeComponent().</target> <note /> </trans-unit> <trans-unit id="End_Construct"> <source>End Construct</source> <target state="translated">Terminar construcción</target> <note /> </trans-unit> <trans-unit id="Smart_Indenting"> <source>Smart Indenting</source> <target state="translated">Sangría inteligente</target> <note /> </trans-unit> <trans-unit id="Formatting_Document"> <source>Formatting Document...</source> <target state="translated">Dando formato al documento...</target> <note /> </trans-unit> <trans-unit id="Insert_new_line"> <source>Insert new line</source> <target state="translated">Insertar nueva línea</target> <note /> </trans-unit> <trans-unit id="Format_Paste"> <source>Format Paste</source> <target state="translated">Pegado de formato</target> <note /> </trans-unit> <trans-unit id="Formatting_pasted_text"> <source>Formatting pasted text...</source> <target state="translated">Dando formato al texto pegado...</target> <note /> </trans-unit> <trans-unit id="Paste"> <source>Paste</source> <target state="translated">Pegar</target> <note /> </trans-unit> <trans-unit id="Format_on_Save"> <source>Format on Save</source> <target state="translated">Aplicar formato al guardar</target> <note /> </trans-unit> <trans-unit id="Committing_line"> <source>Committing line</source> <target state="translated">Confirmando línea</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_Pretty_List"> <source>Visual Basic Pretty List</source> <target state="translated">Lista descriptiva de Visual Basic</target> <note /> </trans-unit> <trans-unit id="not_supported"> <source>not supported</source> <target state="translated">no compatible</target> <note /> </trans-unit> <trans-unit id="Generate_Member"> <source>Generate Member</source> <target state="translated">Generar miembro</target> <note /> </trans-unit> <trans-unit id="Line_commit"> <source>Line commit</source> <target state="translated">Confirmación de línea</target> <note /> </trans-unit> <trans-unit id="Implement_Abstract_Class_Or_Interface"> <source>Implement Abstract Class Or Interface</source> <target state="translated">Implementar interfaz o clase abstracta</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/VisualStudio/Core/Impl/xlf/SolutionExplorerShim.ru.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../SolutionExplorerShim.resx"> <body> <trans-unit id="Analyzers"> <source>Analyzers</source> <target state="translated">Анализаторы</target> <note /> </trans-unit> <trans-unit id="Folder_Properties"> <source>Folder Properties</source> <target state="translated">Свойства папки</target> <note /> </trans-unit> <trans-unit id="Analyzer_Properties"> <source>Analyzer Properties</source> <target state="translated">Свойства анализатора</target> <note /> </trans-unit> <trans-unit id="Add_Analyzer"> <source>Add Analyzer</source> <target state="translated">Добавить анализатор</target> <note /> </trans-unit> <trans-unit id="Analyzer_Files"> <source>Analyzer Files</source> <target state="translated">Файлы анализатора</target> <note /> </trans-unit> <trans-unit id="Diagnostic_Properties"> <source>Diagnostic Properties</source> <target state="translated">Свойства диагностики</target> <note /> </trans-unit> <trans-unit id="No_rule_set_file_is_specified_or_the_file_does_not_exist"> <source>No rule set file is specified, or the file does not exist.</source> <target state="translated">Файл набора правил не задан или не существует.</target> <note /> </trans-unit> <trans-unit id="Source_Generated_File_Properties"> <source>Source Generated File Properties</source> <target state="translated">Свойства сгенерированного исходного файла</target> <note /> </trans-unit> <trans-unit id="Source_Generator_Properties"> <source>Source Generator Properties</source> <target state="translated">Свойства генератора исходных файлов</target> <note /> </trans-unit> <trans-unit id="The_rule_set_file_could_not_be_opened"> <source>The rule set file could not be opened.</source> <target state="translated">Не удалось открыть файл набора правил.</target> <note /> </trans-unit> <trans-unit id="The_rule_set_file_could_not_be_updated"> <source>The rule set file could not be updated.</source> <target state="translated">Не удалось обновить файл набора правил.</target> <note /> </trans-unit> <trans-unit id="Could_not_create_a_rule_set_for_project_0"> <source>Could not create a rule set for project {0}.</source> <target state="translated">Не удалось создать набор правил для проекта {0}.</target> <note /> </trans-unit> <trans-unit id="Default_"> <source>Default</source> <target state="translated">По умолчанию</target> <note /> </trans-unit> <trans-unit id="Error_"> <source>Error</source> <target state="translated">Ошибка</target> <note /> </trans-unit> <trans-unit id="This_generator_is_not_generating_files"> <source>This generator is not generating files.</source> <target state="translated">Этот генератор не создает файлы.</target> <note /> </trans-unit> <trans-unit id="Type_Name"> <source>Type Name</source> <target state="translated">Имя типа</target> <note /> </trans-unit> <trans-unit id="Warning"> <source>Warning</source> <target state="translated">Предупреждение</target> <note /> </trans-unit> <trans-unit id="Info"> <source>Info</source> <target state="translated">Информация</target> <note /> </trans-unit> <trans-unit id="Hidden"> <source>Hidden</source> <target state="translated">Скрытый</target> <note /> </trans-unit> <trans-unit id="Suppressed"> <source>Suppressed</source> <target state="translated">Подавлено</target> <note /> </trans-unit> <trans-unit id="Rule_Set"> <source>Rule Set</source> <target state="translated">Набор правил</target> <note /> </trans-unit> <trans-unit id="Checking_out_0_for_editing"> <source>Checking out {0} for editing...</source> <target state="translated">{0} извлекается для редактирования...</target> <note /> </trans-unit> <trans-unit id="Name"> <source>(Name)</source> <target state="translated">(Имя)</target> <note /> </trans-unit> <trans-unit id="Path"> <source>Path</source> <target state="translated">Путь</target> <note /> </trans-unit> <trans-unit id="Category"> <source>Category</source> <target state="translated">Категория</target> <note /> </trans-unit> <trans-unit id="Default_severity"> <source>Default severity</source> <target state="translated">Серьезность по умолчанию</target> <note /> </trans-unit> <trans-unit id="Description"> <source>Description</source> <target state="translated">Описание</target> <note /> </trans-unit> <trans-unit id="Effective_severity"> <source>Effective severity</source> <target state="translated">Фактический уровень серьезности</target> <note /> </trans-unit> <trans-unit id="Enabled_by_default"> <source>Enabled by default</source> <target state="translated">Включено по умолчанию</target> <note /> </trans-unit> <trans-unit id="Help_link"> <source>Help link</source> <target state="translated">Ссылка на справку</target> <note /> </trans-unit> <trans-unit id="ID"> <source>ID</source> <target state="translated">Идентификатор</target> <note /> </trans-unit> <trans-unit id="Message"> <source>Message</source> <target state="translated">Сообщение</target> <note /> </trans-unit> <trans-unit id="Tags"> <source>Tags</source> <target state="translated">Теги</target> <note /> </trans-unit> <trans-unit id="Title"> <source>Title</source> <target state="translated">Название</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="ru" original="../SolutionExplorerShim.resx"> <body> <trans-unit id="Analyzers"> <source>Analyzers</source> <target state="translated">Анализаторы</target> <note /> </trans-unit> <trans-unit id="Folder_Properties"> <source>Folder Properties</source> <target state="translated">Свойства папки</target> <note /> </trans-unit> <trans-unit id="Analyzer_Properties"> <source>Analyzer Properties</source> <target state="translated">Свойства анализатора</target> <note /> </trans-unit> <trans-unit id="Add_Analyzer"> <source>Add Analyzer</source> <target state="translated">Добавить анализатор</target> <note /> </trans-unit> <trans-unit id="Analyzer_Files"> <source>Analyzer Files</source> <target state="translated">Файлы анализатора</target> <note /> </trans-unit> <trans-unit id="Diagnostic_Properties"> <source>Diagnostic Properties</source> <target state="translated">Свойства диагностики</target> <note /> </trans-unit> <trans-unit id="No_rule_set_file_is_specified_or_the_file_does_not_exist"> <source>No rule set file is specified, or the file does not exist.</source> <target state="translated">Файл набора правил не задан или не существует.</target> <note /> </trans-unit> <trans-unit id="Source_Generated_File_Properties"> <source>Source Generated File Properties</source> <target state="translated">Свойства сгенерированного исходного файла</target> <note /> </trans-unit> <trans-unit id="Source_Generator_Properties"> <source>Source Generator Properties</source> <target state="translated">Свойства генератора исходных файлов</target> <note /> </trans-unit> <trans-unit id="The_rule_set_file_could_not_be_opened"> <source>The rule set file could not be opened.</source> <target state="translated">Не удалось открыть файл набора правил.</target> <note /> </trans-unit> <trans-unit id="The_rule_set_file_could_not_be_updated"> <source>The rule set file could not be updated.</source> <target state="translated">Не удалось обновить файл набора правил.</target> <note /> </trans-unit> <trans-unit id="Could_not_create_a_rule_set_for_project_0"> <source>Could not create a rule set for project {0}.</source> <target state="translated">Не удалось создать набор правил для проекта {0}.</target> <note /> </trans-unit> <trans-unit id="Default_"> <source>Default</source> <target state="translated">По умолчанию</target> <note /> </trans-unit> <trans-unit id="Error_"> <source>Error</source> <target state="translated">Ошибка</target> <note /> </trans-unit> <trans-unit id="This_generator_is_not_generating_files"> <source>This generator is not generating files.</source> <target state="translated">Этот генератор не создает файлы.</target> <note /> </trans-unit> <trans-unit id="Type_Name"> <source>Type Name</source> <target state="translated">Имя типа</target> <note /> </trans-unit> <trans-unit id="Warning"> <source>Warning</source> <target state="translated">Предупреждение</target> <note /> </trans-unit> <trans-unit id="Info"> <source>Info</source> <target state="translated">Информация</target> <note /> </trans-unit> <trans-unit id="Hidden"> <source>Hidden</source> <target state="translated">Скрытый</target> <note /> </trans-unit> <trans-unit id="Suppressed"> <source>Suppressed</source> <target state="translated">Подавлено</target> <note /> </trans-unit> <trans-unit id="Rule_Set"> <source>Rule Set</source> <target state="translated">Набор правил</target> <note /> </trans-unit> <trans-unit id="Checking_out_0_for_editing"> <source>Checking out {0} for editing...</source> <target state="translated">{0} извлекается для редактирования...</target> <note /> </trans-unit> <trans-unit id="Name"> <source>(Name)</source> <target state="translated">(Имя)</target> <note /> </trans-unit> <trans-unit id="Path"> <source>Path</source> <target state="translated">Путь</target> <note /> </trans-unit> <trans-unit id="Category"> <source>Category</source> <target state="translated">Категория</target> <note /> </trans-unit> <trans-unit id="Default_severity"> <source>Default severity</source> <target state="translated">Серьезность по умолчанию</target> <note /> </trans-unit> <trans-unit id="Description"> <source>Description</source> <target state="translated">Описание</target> <note /> </trans-unit> <trans-unit id="Effective_severity"> <source>Effective severity</source> <target state="translated">Фактический уровень серьезности</target> <note /> </trans-unit> <trans-unit id="Enabled_by_default"> <source>Enabled by default</source> <target state="translated">Включено по умолчанию</target> <note /> </trans-unit> <trans-unit id="Help_link"> <source>Help link</source> <target state="translated">Ссылка на справку</target> <note /> </trans-unit> <trans-unit id="ID"> <source>ID</source> <target state="translated">Идентификатор</target> <note /> </trans-unit> <trans-unit id="Message"> <source>Message</source> <target state="translated">Сообщение</target> <note /> </trans-unit> <trans-unit id="Tags"> <source>Tags</source> <target state="translated">Теги</target> <note /> </trans-unit> <trans-unit id="Title"> <source>Title</source> <target state="translated">Название</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/Core/Desktop/xlf/WorkspaceDesktopResources.it.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../WorkspaceDesktopResources.resx"> <body> <trans-unit id="Invalid_assembly_name"> <source>Invalid assembly name</source> <target state="translated">Nome di assembly non valido</target> <note /> </trans-unit> <trans-unit id="Invalid_characters_in_assembly_name"> <source>Invalid characters in assembly name</source> <target state="translated">Caratteri non validi nel nome dell'assembly</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="it" original="../WorkspaceDesktopResources.resx"> <body> <trans-unit id="Invalid_assembly_name"> <source>Invalid assembly name</source> <target state="translated">Nome di assembly non valido</target> <note /> </trans-unit> <trans-unit id="Invalid_characters_in_assembly_name"> <source>Invalid characters in assembly name</source> <target state="translated">Caratteri non validi nel nome dell'assembly</target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Scripting/CSharp/xlf/CSharpScriptingResources.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../CSharpScriptingResources.resx"> <body> <trans-unit id="LogoLine1"> <source>Microsoft (R) Visual C# Interactive Compiler version {0}</source> <target state="translated">Microsoft (R) Visual C# Etkileşimli Derleyici sürümü {0}</target> <note /> </trans-unit> <trans-unit id="LogoLine2"> <source>Copyright (C) Microsoft Corporation. All rights reserved.</source> <target state="translated">Telif hakkı (C) Microsoft Corporation. Tüm hakları saklıdır.</target> <note /> </trans-unit> <trans-unit id="InteractiveHelp"> <source>Usage: csi [option] ... [script-file.csx] [script-argument] ... Executes script-file.csx if specified, otherwise launches an interactive REPL (Read Eval Print Loop). Options: /help Display this usage message (alternative form: /?) /version Display the version and exit /i Drop to REPL after executing the specified script. /r:&lt;file&gt; Reference metadata from the specified assembly file (alternative form: /reference) /r:&lt;file list&gt; Reference metadata from the specified assembly files (alternative form: /reference) /lib:&lt;path list&gt; List of directories where to look for libraries specified by #r directive. (alternative forms: /libPath /libPaths) /u:&lt;namespace&gt; Define global namespace using (alternative forms: /using, /usings, /import, /imports) /langversion:? Display the allowed values for language version and exit /langversion:&lt;string&gt; Specify language version such as `latest` (latest version, including minor versions), `default` (same as `latest`), `latestmajor` (latest version, excluding minor versions), `preview` (latest version, including features in unsupported preview), or specific versions like `6` or `7.1` @&lt;file&gt; Read response file for more options -- Indicates that the remaining arguments should not be treated as options. </source> <target state="translated">Kullanım: csi [seçenek] ... [betik-dosyası.csx] [betik-bağımsız-değişkeni] ... Belirtildiyse betik-dosyası.csx dosyasını yürütür, belirtilmediyse etkileşimli bir REPL (Okuma Değerlendirme Yazdırma Döngüsü) başlatır. Seçenekler: /help Bu kullanım iletisini görüntüle (alternatif biçim: /?) /version Sürümü görüntüle ve çıkış yap /i Belirtilen betiği yürüttükten sonra REPL’ye bırak. /r:&lt;dosya&gt; Belirtilen bütünleştirilmiş kod dosyasındaki meta veriye başvur (alternatif biçim: /reference) /r:&lt;dosya listesi&gt; Belirtilen bütünleştirilmiş kod dosyalarındaki meta veriye başvur (alternatif biçim: /reference) /lib:&lt;yol listesi&gt; #r yönergesiyle belirtilen kitaplıklar için bakılacak dizinler listesi. (alternatif biçimler: /libPath /libPaths) /u:&lt;ad alanı&gt; Genel ad alanı kullanımını tanımla (alternatif biçimler: /using, /usings, /import, /imports) /langversion:? Dil sürümü için izin verilen değerleri görüntüle ve çıkış yap /langversion:&lt;dize&gt; Dil sürümü belirt, örneğin `latest` (ikincil sürümler dahil en son sürüm), `default` (`latest` ile aynı), `latestmajor` (ikincil sürümler hariç en son sürüm), `preview` (desteklenmeyen önizlemedeki özellikler dahil en son sürüm), veya `6` ya da `7.1` gibi belirli sürümler @&lt;dosya&gt; Daha fazla seçenek için yanıt dosyasını okuyun -- Kalan bağımsız değişkenlerin seçenek olarak değerlendirilmemesi gerektiğini belirtir. </target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../CSharpScriptingResources.resx"> <body> <trans-unit id="LogoLine1"> <source>Microsoft (R) Visual C# Interactive Compiler version {0}</source> <target state="translated">Microsoft (R) Visual C# Etkileşimli Derleyici sürümü {0}</target> <note /> </trans-unit> <trans-unit id="LogoLine2"> <source>Copyright (C) Microsoft Corporation. All rights reserved.</source> <target state="translated">Telif hakkı (C) Microsoft Corporation. Tüm hakları saklıdır.</target> <note /> </trans-unit> <trans-unit id="InteractiveHelp"> <source>Usage: csi [option] ... [script-file.csx] [script-argument] ... Executes script-file.csx if specified, otherwise launches an interactive REPL (Read Eval Print Loop). Options: /help Display this usage message (alternative form: /?) /version Display the version and exit /i Drop to REPL after executing the specified script. /r:&lt;file&gt; Reference metadata from the specified assembly file (alternative form: /reference) /r:&lt;file list&gt; Reference metadata from the specified assembly files (alternative form: /reference) /lib:&lt;path list&gt; List of directories where to look for libraries specified by #r directive. (alternative forms: /libPath /libPaths) /u:&lt;namespace&gt; Define global namespace using (alternative forms: /using, /usings, /import, /imports) /langversion:? Display the allowed values for language version and exit /langversion:&lt;string&gt; Specify language version such as `latest` (latest version, including minor versions), `default` (same as `latest`), `latestmajor` (latest version, excluding minor versions), `preview` (latest version, including features in unsupported preview), or specific versions like `6` or `7.1` @&lt;file&gt; Read response file for more options -- Indicates that the remaining arguments should not be treated as options. </source> <target state="translated">Kullanım: csi [seçenek] ... [betik-dosyası.csx] [betik-bağımsız-değişkeni] ... Belirtildiyse betik-dosyası.csx dosyasını yürütür, belirtilmediyse etkileşimli bir REPL (Okuma Değerlendirme Yazdırma Döngüsü) başlatır. Seçenekler: /help Bu kullanım iletisini görüntüle (alternatif biçim: /?) /version Sürümü görüntüle ve çıkış yap /i Belirtilen betiği yürüttükten sonra REPL’ye bırak. /r:&lt;dosya&gt; Belirtilen bütünleştirilmiş kod dosyasındaki meta veriye başvur (alternatif biçim: /reference) /r:&lt;dosya listesi&gt; Belirtilen bütünleştirilmiş kod dosyalarındaki meta veriye başvur (alternatif biçim: /reference) /lib:&lt;yol listesi&gt; #r yönergesiyle belirtilen kitaplıklar için bakılacak dizinler listesi. (alternatif biçimler: /libPath /libPaths) /u:&lt;ad alanı&gt; Genel ad alanı kullanımını tanımla (alternatif biçimler: /using, /usings, /import, /imports) /langversion:? Dil sürümü için izin verilen değerleri görüntüle ve çıkış yap /langversion:&lt;dize&gt; Dil sürümü belirt, örneğin `latest` (ikincil sürümler dahil en son sürüm), `default` (`latest` ile aynı), `latestmajor` (ikincil sürümler hariç en son sürüm), `preview` (desteklenmeyen önizlemedeki özellikler dahil en son sürüm), veya `6` ya da `7.1` gibi belirli sürümler @&lt;dosya&gt; Daha fazla seçenek için yanıt dosyasını okuyun -- Kalan bağımsız değişkenlerin seçenek olarak değerlendirilmemesi gerektiğini belirtir. </target> <note /> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/VisualBasic/xlf/VisualBasicCompilerExtensionsResources.zh-Hans.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../VisualBasicCompilerExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">在添加其他值时删除此值。</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="zh-Hans" original="../VisualBasicCompilerExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">在添加其他值时删除此值。</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Tools/ExternalAccess/FSharp/ExternalAccessFSharpResources.resx
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="AddAssemblyReference" xml:space="preserve"> <value>Add an assembly reference to '{0}'</value> </data> <data name="AddNewKeyword" xml:space="preserve"> <value>Add 'new' keyword</value> </data> <data name="AddProjectReference" xml:space="preserve"> <value>Add a project reference to '{0}'</value> </data> <data name="CannotDetermineSymbol" xml:space="preserve"> <value>Cannot determine the symbol under the caret</value> </data> <data name="CannotNavigateUnknown" xml:space="preserve"> <value>Cannot navigate to the requested location</value> </data> <data name="ExceptionsHeader" xml:space="preserve"> <value>Exceptions:</value> </data> <data name="FSharpDisposablesClassificationType" xml:space="preserve"> <value>F# Disposable Types</value> </data> <data name="FSharpFunctionsOrMethodsClassificationType" xml:space="preserve"> <value>F# Functions / Methods</value> </data> <data name="FSharpMutableVarsClassificationType" xml:space="preserve"> <value>F# Mutable Variables / Reference Cells</value> </data> <data name="FSharpPrintfFormatClassificationType" xml:space="preserve"> <value>F# Printf Format</value> </data> <data name="FSharpPropertiesClassificationType" xml:space="preserve"> <value>F# Properties</value> </data> <data name="GenericParametersHeader" xml:space="preserve"> <value>Generic parameters:</value> </data> <data name="ImplementInterface" xml:space="preserve"> <value>Implement interface</value> </data> <data name="ImplementInterfaceWithoutTypeAnnotation" xml:space="preserve"> <value>Implement interface without type annotation</value> </data> <data name="LocatingSymbol" xml:space="preserve"> <value>Locating the symbol under the caret...</value> </data> <data name="NameCanBeSimplified" xml:space="preserve"> <value>Name can be simplified.</value> </data> <data name="NavigateToFailed" xml:space="preserve"> <value>Navigate to symbol failed: {0}</value> </data> <data name="NavigatingTo" xml:space="preserve"> <value>Navigating to symbol...</value> </data> <data name="PrefixValueNameWithUnderscore" xml:space="preserve"> <value>Prefix '{0}' with underscore</value> </data> <data name="RemoveUnusedOpens" xml:space="preserve"> <value>Remove unused open declarations</value> </data> <data name="RenameValueToDoubleUnderscore" xml:space="preserve"> <value>Rename '{0}' to '__'</value> </data> <data name="RenameValueToUnderscore" xml:space="preserve"> <value>Rename '{0}' to '_'</value> </data> <data name="SimplifyName" xml:space="preserve"> <value>Simplify name</value> </data> <data name="TheValueIsUnused" xml:space="preserve"> <value>The value is unused</value> </data> <data name="UnusedOpens" xml:space="preserve"> <value>Open declaration can be removed.</value> </data> </root>
<?xml version="1.0" encoding="utf-8"?> <root> <!-- Microsoft ResX Schema Version 2.0 The primary goals of this format is to allow a simple XML format that is mostly human readable. The generation and parsing of the various data types are done through the TypeConverter classes associated with the data types. Example: ... ado.net/XML headers & schema ... <resheader name="resmimetype">text/microsoft-resx</resheader> <resheader name="version">2.0</resheader> <resheader name="reader">System.Resources.ResXResourceReader, System.Windows.Forms, ...</resheader> <resheader name="writer">System.Resources.ResXResourceWriter, System.Windows.Forms, ...</resheader> <data name="Name1"><value>this is my long string</value><comment>this is a comment</comment></data> <data name="Color1" type="System.Drawing.Color, System.Drawing">Blue</data> <data name="Bitmap1" mimetype="application/x-microsoft.net.object.binary.base64"> <value>[base64 mime encoded serialized .NET Framework object]</value> </data> <data name="Icon1" type="System.Drawing.Icon, System.Drawing" mimetype="application/x-microsoft.net.object.bytearray.base64"> <value>[base64 mime encoded string representing a byte array form of the .NET Framework object]</value> <comment>This is a comment</comment> </data> There are any number of "resheader" rows that contain simple name/value pairs. Each data row contains a name, and value. The row also contains a type or mimetype. Type corresponds to a .NET class that support text/value conversion through the TypeConverter architecture. Classes that don't support this are serialized and stored with the mimetype set. The mimetype is used for serialized objects, and tells the ResXResourceReader how to depersist the object. This is currently not extensible. For a given mimetype the value must be set accordingly: Note - application/x-microsoft.net.object.binary.base64 is the format that the ResXResourceWriter will generate, however the reader can read any of the formats listed below. mimetype: application/x-microsoft.net.object.binary.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Binary.BinaryFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.soap.base64 value : The object must be serialized with : System.Runtime.Serialization.Formatters.Soap.SoapFormatter : and then encoded with base64 encoding. mimetype: application/x-microsoft.net.object.bytearray.base64 value : The object must be serialized into a byte array : using a System.ComponentModel.TypeConverter : and then encoded with base64 encoding. --> <xsd:schema id="root" xmlns="" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:msdata="urn:schemas-microsoft-com:xml-msdata"> <xsd:import namespace="http://www.w3.org/XML/1998/namespace" /> <xsd:element name="root" msdata:IsDataSet="true"> <xsd:complexType> <xsd:choice maxOccurs="unbounded"> <xsd:element name="metadata"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" /> </xsd:sequence> <xsd:attribute name="name" use="required" type="xsd:string" /> <xsd:attribute name="type" type="xsd:string" /> <xsd:attribute name="mimetype" type="xsd:string" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="assembly"> <xsd:complexType> <xsd:attribute name="alias" type="xsd:string" /> <xsd:attribute name="name" type="xsd:string" /> </xsd:complexType> </xsd:element> <xsd:element name="data"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> <xsd:element name="comment" type="xsd:string" minOccurs="0" msdata:Ordinal="2" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" msdata:Ordinal="1" /> <xsd:attribute name="type" type="xsd:string" msdata:Ordinal="3" /> <xsd:attribute name="mimetype" type="xsd:string" msdata:Ordinal="4" /> <xsd:attribute ref="xml:space" /> </xsd:complexType> </xsd:element> <xsd:element name="resheader"> <xsd:complexType> <xsd:sequence> <xsd:element name="value" type="xsd:string" minOccurs="0" msdata:Ordinal="1" /> </xsd:sequence> <xsd:attribute name="name" type="xsd:string" use="required" /> </xsd:complexType> </xsd:element> </xsd:choice> </xsd:complexType> </xsd:element> </xsd:schema> <resheader name="resmimetype"> <value>text/microsoft-resx</value> </resheader> <resheader name="version"> <value>2.0</value> </resheader> <resheader name="reader"> <value>System.Resources.ResXResourceReader, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <resheader name="writer"> <value>System.Resources.ResXResourceWriter, System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089</value> </resheader> <data name="AddAssemblyReference" xml:space="preserve"> <value>Add an assembly reference to '{0}'</value> </data> <data name="AddNewKeyword" xml:space="preserve"> <value>Add 'new' keyword</value> </data> <data name="AddProjectReference" xml:space="preserve"> <value>Add a project reference to '{0}'</value> </data> <data name="CannotDetermineSymbol" xml:space="preserve"> <value>Cannot determine the symbol under the caret</value> </data> <data name="CannotNavigateUnknown" xml:space="preserve"> <value>Cannot navigate to the requested location</value> </data> <data name="ExceptionsHeader" xml:space="preserve"> <value>Exceptions:</value> </data> <data name="FSharpDisposablesClassificationType" xml:space="preserve"> <value>F# Disposable Types</value> </data> <data name="FSharpFunctionsOrMethodsClassificationType" xml:space="preserve"> <value>F# Functions / Methods</value> </data> <data name="FSharpMutableVarsClassificationType" xml:space="preserve"> <value>F# Mutable Variables / Reference Cells</value> </data> <data name="FSharpPrintfFormatClassificationType" xml:space="preserve"> <value>F# Printf Format</value> </data> <data name="FSharpPropertiesClassificationType" xml:space="preserve"> <value>F# Properties</value> </data> <data name="GenericParametersHeader" xml:space="preserve"> <value>Generic parameters:</value> </data> <data name="ImplementInterface" xml:space="preserve"> <value>Implement interface</value> </data> <data name="ImplementInterfaceWithoutTypeAnnotation" xml:space="preserve"> <value>Implement interface without type annotation</value> </data> <data name="LocatingSymbol" xml:space="preserve"> <value>Locating the symbol under the caret...</value> </data> <data name="NameCanBeSimplified" xml:space="preserve"> <value>Name can be simplified.</value> </data> <data name="NavigateToFailed" xml:space="preserve"> <value>Navigate to symbol failed: {0}</value> </data> <data name="NavigatingTo" xml:space="preserve"> <value>Navigating to symbol...</value> </data> <data name="PrefixValueNameWithUnderscore" xml:space="preserve"> <value>Prefix '{0}' with underscore</value> </data> <data name="RemoveUnusedOpens" xml:space="preserve"> <value>Remove unused open declarations</value> </data> <data name="RenameValueToDoubleUnderscore" xml:space="preserve"> <value>Rename '{0}' to '__'</value> </data> <data name="RenameValueToUnderscore" xml:space="preserve"> <value>Rename '{0}' to '_'</value> </data> <data name="SimplifyName" xml:space="preserve"> <value>Simplify name</value> </data> <data name="TheValueIsUnused" xml:space="preserve"> <value>The value is unused</value> </data> <data name="UnusedOpens" xml:space="preserve"> <value>Open declaration can be removed.</value> </data> </root>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/SharedUtilitiesAndExtensions/Workspace/VisualBasic/xlf/VisualBasicWorkspaceExtensionsResources.pl.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../VisualBasicWorkspaceExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Usuń tę wartość, gdy dodawana jest kolejna.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="pl" original="../VisualBasicWorkspaceExtensionsResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Usuń tę wartość, gdy dodawana jest kolejna.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/CodeStyle/VisualBasic/CodeFixes/xlf/VBCodeStyleFixesResources.tr.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VBCodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Başka bir değer eklendiğinde bu değeri kaldırın.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="tr" original="../VBCodeStyleFixesResources.resx"> <body> <trans-unit id="EmptyResource"> <source>Remove this value when another is added.</source> <target state="translated">Başka bir değer eklendiğinde bu değeri kaldırın.</target> <note>https://github.com/Microsoft/msbuild/issues/1661</note> </trans-unit> </body> </file> </xliff>
-1
dotnet/roslyn
55,972
Add Import Directives to the VS options search text
Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
JoeRobich
"2021-08-27T20:53:59Z"
"2021-08-31T18:50:41Z"
9ad67ca5b3931968c41bc88bddce4ffd696e807c
1f9bf9a09f12e4bcc3f1b4e1db861279e097eea5
Add Import Directives to the VS options search text. Resolves https://devdiv.visualstudio.com/DevDiv/_workitems/edit/1260748
./src/Workspaces/Core/Portable/xlf/WorkspacesResources.de.xlf
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../WorkspacesResources.resx"> <body> <trans-unit id="A_project_may_not_reference_itself"> <source>A project may not reference itself.</source> <target state="translated">Ein Projekt darf nicht auf sich selbst verweisen.</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_config_documents_is_not_supported"> <source>Adding analyzer config documents is not supported.</source> <target state="translated">Das Hinzufügen von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="An_error_occurred_while_reading_the_specified_configuration_file_colon_0"> <source>An error occurred while reading the specified configuration file: {0}</source> <target state="translated">Beim Lesen der angegebenen Konfigurationsdatei ist ein Fehler aufgetreten: {0}</target> <note /> </trans-unit> <trans-unit id="CSharp_files"> <source>C# files</source> <target state="translated">C#-Dateien</target> <note /> </trans-unit> <trans-unit id="Cannot_apply_action_that_is_not_in_0"> <source>Cannot apply action that is not in '{0}'</source> <target state="translated">Es können nur in "{0}" enthaltene Aktionen angewendet werden.</target> <note /> </trans-unit> <trans-unit id="Changing_analyzer_config_documents_is_not_supported"> <source>Changing analyzer config documents is not supported.</source> <target state="translated">Das Ändern von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_document_0_is_not_supported"> <source>Changing document '{0}' is not supported.</source> <target state="translated">Das Ändern des Dokuments "{0}" wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="CodeAction_{0}_did_not_produce_a_changed_solution"> <source>CodeAction '{0}' did not produce a changed solution</source> <target state="translated">Durch CodeAction "{0}" wurde keine geänderte Lösung erstellt.</target> <note>"CodeAction" is a specific type, and {0} represents the title shown by the action.</note> </trans-unit> <trans-unit id="Core_EditorConfig_Options"> <source>Core EditorConfig Options</source> <target state="translated">Wichtige EditorConfig-Optionen</target> <note /> </trans-unit> <trans-unit id="DateTimeKind_must_be_Utc"> <source>DateTimeKind must be Utc</source> <target state="translated">"DateTimeKind" muss UTC sein.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_1_2_or_3_but_given_one_is_4"> <source>Destination type must be a {0}, {1}, {2} or {3}, but given one is {4}.</source> <target state="translated">Der Zieltyp muss "{0}", "{1}", "{2}" oder "{3}" lauten. Es wurde jedoch "{4}" angegeben.</target> <note /> </trans-unit> <trans-unit id="Document_does_not_support_syntax_trees"> <source>Document does not support syntax trees</source> <target state="translated">Das Dokument unterstützt keine Syntaxstrukturen.</target> <note /> </trans-unit> <trans-unit id="Error_reading_content_of_source_file_0_1"> <source>Error reading content of source file '{0}' -- '{1}'.</source> <target state="translated">Fehler beim Lesen des Inhalts der Quelldatei "{0}": "{1}".</target> <note /> </trans-unit> <trans-unit id="Indentation_and_spacing"> <source>Indentation and spacing</source> <target state="translated">Einzüge und Abstände</target> <note /> </trans-unit> <trans-unit id="New_line_preferences"> <source>New line preferences</source> <target state="translated">Einstellungen für neue Zeilen</target> <note /> </trans-unit> <trans-unit id="Only_submission_project_can_reference_submission_projects"> <source>Only submission project can reference submission projects.</source> <target state="translated">Nur ein Übermittlungsprojekt kann auf Übermittlungsprojekte verweisen.</target> <note /> </trans-unit> <trans-unit id="Options_did_not_come_from_specified_Solution"> <source>Options did not come from specified Solution</source> <target state="translated">Optionen stammen nicht aus der angegebenen Projektmappe.</target> <note /> </trans-unit> <trans-unit id="Predefined_conversion_from_0_to_1"> <source>Predefined conversion from {0} to {1}.</source> <target state="translated">Vordefinierte Konvertierung von "{0}" in "{1}".</target> <note /> </trans-unit> <trans-unit id="Project_does_not_contain_specified_reference"> <source>Project does not contain specified reference</source> <target state="translated">Der angegebene Verweis ist im Projekt nicht enthalten.</target> <note /> </trans-unit> <trans-unit id="Refactoring_Only"> <source>Refactoring Only</source> <target state="translated">Nur Refactoring</target> <note /> </trans-unit> <trans-unit id="Remove_the_line_below_if_you_want_to_inherit_dot_editorconfig_settings_from_higher_directories"> <source>Remove the line below if you want to inherit .editorconfig settings from higher directories</source> <target state="translated">Entfernen Sie die folgende Zeile, wenn Sie EDITORCONFIG-Einstellungen von höheren Verzeichnissen vererben möchten.</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_config_documents_is_not_supported"> <source>Removing analyzer config documents is not supported.</source> <target state="translated">Das Entfernen von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1"> <source>Rename '{0}' to '{1}'</source> <target state="translated">"{0}" in "{1}" umbenennen</target> <note /> </trans-unit> <trans-unit id="Solution_does_not_contain_specified_reference"> <source>Solution does not contain specified reference</source> <target state="translated">Der angegebene Verweis ist nicht in der Projektmappe enthalten.</target> <note /> </trans-unit> <trans-unit id="Symbol_0_is_not_from_source"> <source>Symbol "{0}" is not from source.</source> <target state="translated">Symbol "{0}" ist nicht aus Quelle.</target> <note /> </trans-unit> <trans-unit id="Documentation_comment_id_must_start_with_E_F_M_N_P_or_T"> <source>Documentation comment id must start with E, F, M, N, P or T</source> <target state="translated">Dokumentationskommentar-ID muss mit E, F, M, N, P oder T beginnen</target> <note /> </trans-unit> <trans-unit id="Cycle_detected_in_extensions"> <source>Cycle detected in extensions</source> <target state="translated">Zyklus in Erweiterungen entdeckt</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_but_given_one_is_1"> <source>Destination type must be a {0}, but given one is {1}.</source> <target state="translated">Zieltyp muss {0} sein. Es wurde jedoch {1} angegeben.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_or_a_1_but_given_one_is_2"> <source>Destination type must be a {0} or a {1}, but given one is {2}.</source> <target state="translated">Zieltyp muss {0} oder {1} sein. Es wurde jedoch {2} angegeben.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_1_or_2_but_given_one_is_3"> <source>Destination type must be a {0}, {1} or {2}, but given one is {3}.</source> <target state="translated">Zieltyp muss {0}, {1} oder {2} sein. Es wurde jedoch {3} angegeben.</target> <note /> </trans-unit> <trans-unit id="Could_not_find_location_to_generation_symbol_into"> <source>Could not find location to generation symbol into.</source> <target state="translated">Konnte keinen Ort finden, in den das Symbol generiert werden kann.</target> <note /> </trans-unit> <trans-unit id="No_location_provided_to_add_statements_to"> <source>No location provided to add statements to.</source> <target state="translated">Kein Ort angegeben, zu dem Anweisungen hinzugefügt werden.</target> <note /> </trans-unit> <trans-unit id="Destination_location_was_not_in_source"> <source>Destination location was not in source.</source> <target state="translated">Zielort war nicht in Quelle.</target> <note /> </trans-unit> <trans-unit id="Destination_location_was_from_a_different_tree"> <source>Destination location was from a different tree.</source> <target state="translated">Zielort stammt aus anderem Baum.</target> <note /> </trans-unit> <trans-unit id="Node_is_of_the_wrong_type"> <source>Node is of the wrong type.</source> <target state="translated">Knoten hat den falschen Typ.</target> <note /> </trans-unit> <trans-unit id="Location_must_be_null_or_from_source"> <source>Location must be null or from source.</source> <target state="translated">Ort muss null oder von Quelle sein.</target> <note /> </trans-unit> <trans-unit id="Duplicate_source_file_0_in_project_1"> <source>Duplicate source file '{0}' in project '{1}'</source> <target state="translated">Doppelte Quelldatei "{0}" in Projekt "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_projects_is_not_supported"> <source>Removing projects is not supported.</source> <target state="translated">Das Entfernen von Projekten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_projects_is_not_supported"> <source>Adding projects is not supported.</source> <target state="translated">Das Hinzufügen von Projekten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Symbols_project_could_not_be_found_in_the_provided_solution"> <source>Symbol's project could not be found in the provided solution</source> <target state="translated">Das Projekt des Symbols wurde in der angegebenen Projektmappe nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Sync_namespace_to_folder_structure"> <source>Sync namespace to folder structure</source> <target state="translated">Namespace mit Ordnerstruktur synchronisieren</target> <note /> </trans-unit> <trans-unit id="The_contents_of_a_SourceGeneratedDocument_may_not_be_changed"> <source>The contents of a SourceGeneratedDocument may not be changed.</source> <target state="translated">Der Inhalt eines SourceGeneratedDocument kann nicht geändert werden.</target> <note>{locked:SourceGeneratedDocument}</note> </trans-unit> <trans-unit id="The_project_already_contains_the_specified_reference"> <source>The project already contains the specified reference.</source> <target state="translated">Im Projekt ist der angegebene Verweis bereits enthalten.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_reference"> <source>The solution already contains the specified reference.</source> <target state="translated">Der angegebene Verweis ist bereits in der Projektmappe enthalten.</target> <note /> </trans-unit> <trans-unit id="Unknown"> <source>Unknown</source> <target state="translated">Unbekannt</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_files"> <source>Visual Basic files</source> <target state="translated">Visual Basic-Dateien</target> <note /> </trans-unit> <trans-unit id="Warning_adding_imports_will_bring_an_extension_method_into_scope_with_the_same_name_as_member_access"> <source>Adding imports will bring an extension method into scope with the same name as '{0}'</source> <target state="translated">Durch das Hinzufügen von Importen wird eine Erweiterungsmethode mit dem gleichen Namen wie "{0}" in den Bereich eingeführt.</target> <note /> </trans-unit> <trans-unit id="Workspace_error"> <source>Workspace error</source> <target state="translated">Arbeitsbereichsfehler</target> <note /> </trans-unit> <trans-unit id="Workspace_is_not_empty"> <source>Workspace is not empty.</source> <target state="translated">Arbeitsbereich ist nicht leer.</target> <note /> </trans-unit> <trans-unit id="_0_is_in_a_different_project"> <source>{0} is in a different project.</source> <target state="translated">"{0}" befindet sich in einem anderen Projekt.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_part_of_the_workspace"> <source>'{0}' is not part of the workspace.</source> <target state="translated">"{0}" ist nicht Teil des Arbeitsbereichs.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_part_of_the_workspace"> <source>'{0}' is already part of the workspace.</source> <target state="translated">"{0}" ist bereits Teil des Arbeitsbereichs.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_referenced"> <source>'{0}' is not referenced.</source> <target state="translated">"{0}" ist nicht referenziert.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_referenced"> <source>'{0}' is already referenced.</source> <target state="translated">"{0}" ist bereits referenziert.</target> <note /> </trans-unit> <trans-unit id="Adding_project_reference_from_0_to_1_will_cause_a_circular_reference"> <source>Adding project reference from '{0}' to '{1}' will cause a circular reference.</source> <target state="translated">Das Hinzufügen der Projektreferenz "{0}" zu "{1}" wird einen Zirkelbezug verursachen.</target> <note /> </trans-unit> <trans-unit id="Metadata_is_not_referenced"> <source>Metadata is not referenced.</source> <target state="translated">Metadaten sind nicht referenziert.</target> <note /> </trans-unit> <trans-unit id="Metadata_is_already_referenced"> <source>Metadata is already referenced.</source> <target state="translated">Metadaten sind bereits referenziert.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_present"> <source>{0} is not present.</source> <target state="translated">{0} ist nicht vorhanden.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_present"> <source>{0} is already present.</source> <target state="translated">{0} ist bereits vorhanden.</target> <note /> </trans-unit> <trans-unit id="The_specified_document_is_not_a_version_of_this_document"> <source>The specified document is not a version of this document.</source> <target state="translated">Das angegebene Dokument ist keine Version dieses Dokuments.</target> <note /> </trans-unit> <trans-unit id="The_language_0_is_not_supported"> <source>The language '{0}' is not supported.</source> <target state="translated">Die Sprache "{0}" wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_project"> <source>The solution already contains the specified project.</source> <target state="translated">Die Lösung enthält bereits das angegebene Projekt.</target> <note /> </trans-unit> <trans-unit id="The_solution_does_not_contain_the_specified_project"> <source>The solution does not contain the specified project.</source> <target state="translated">Lösung enthält nicht das angegebene Projekt.</target> <note /> </trans-unit> <trans-unit id="The_project_already_references_the_target_project"> <source>The project already references the target project.</source> <target state="translated">Das Projekt verweist bereits auf das Zielprojekt.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_document"> <source>The solution already contains the specified document.</source> <target state="translated">Die Lösung enthält bereits das angegebene Dokument.</target> <note /> </trans-unit> <trans-unit id="Temporary_storage_cannot_be_written_more_than_once"> <source>Temporary storage cannot be written more than once.</source> <target state="translated">Temporärer Speicher kann nicht mehr als einmal geschrieben werden.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_open"> <source>'{0}' is not open.</source> <target state="translated">"{0}" ist nicht geöffnet.</target> <note /> </trans-unit> <trans-unit id="A_language_name_cannot_be_specified_for_this_option"> <source>A language name cannot be specified for this option.</source> <target state="translated">Für diese Option kann kein Sprachenname angegeben werden.</target> <note /> </trans-unit> <trans-unit id="A_language_name_must_be_specified_for_this_option"> <source>A language name must be specified for this option.</source> <target state="translated">Für diese Option muss ein Sprachenname angegeben werden.</target> <note /> </trans-unit> <trans-unit id="File_was_externally_modified_colon_0"> <source>File was externally modified: {0}.</source> <target state="translated">Datei wurde extern modifiziert: {0}.</target> <note /> </trans-unit> <trans-unit id="Unrecognized_language_name"> <source>Unrecognized language name.</source> <target state="translated">Unerkannter Sprachenname.</target> <note /> </trans-unit> <trans-unit id="Can_t_resolve_metadata_reference_colon_0"> <source>Can't resolve metadata reference: '{0}'.</source> <target state="translated">Metadatenreferenz kann nicht aufgelöst werden: "{0}".</target> <note /> </trans-unit> <trans-unit id="Can_t_resolve_analyzer_reference_colon_0"> <source>Can't resolve analyzer reference: '{0}'.</source> <target state="translated">Analysereferenz kann nicht aufgelöst werden: "{0}".</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_Project"> <source>Invalid project block, expected "=" after Project.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "=" nach Projekt.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_project_name"> <source>Invalid project block, expected "," after project name.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "," nach Projektname.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_project_path"> <source>Invalid project block, expected "," after project path.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "," nach Projektpfad.</target> <note /> </trans-unit> <trans-unit id="Expected_0"> <source>Expected {0}.</source> <target state="translated">Erwartet wird {0}.</target> <note /> </trans-unit> <trans-unit id="_0_must_be_a_non_null_and_non_empty_string"> <source>"{0}" must be a non-null and non-empty string.</source> <target state="translated">"{0}" muss eine Zeichenfolge sein, die nicht null und nicht leer ist.</target> <note /> </trans-unit> <trans-unit id="Expected_header_colon_0"> <source>Expected header: "{0}".</source> <target state="translated">Erwartete Überschrift: "{0}".</target> <note /> </trans-unit> <trans-unit id="Expected_end_of_file"> <source>Expected end-of-file.</source> <target state="translated">Erwartetes Dateiende.</target> <note /> </trans-unit> <trans-unit id="Expected_0_line"> <source>Expected {0} line.</source> <target state="translated">Erwartete {0}-Zeile.</target> <note /> </trans-unit> <trans-unit id="This_submission_already_references_another_submission_project"> <source>This submission already references another submission project.</source> <target state="translated">Diese Übermittlung verweist bereits auf ein anderes Übermittlungsprojekt.</target> <note /> </trans-unit> <trans-unit id="_0_still_contains_open_documents"> <source>{0} still contains open documents.</source> <target state="translated">{0} enthält noch offene Dokumente.</target> <note /> </trans-unit> <trans-unit id="_0_is_still_open"> <source>{0} is still open.</source> <target state="translated">"{0}" ist noch geöffnet.</target> <note /> </trans-unit> <trans-unit id="Arrays_with_more_than_one_dimension_cannot_be_serialized"> <source>Arrays with more than one dimension cannot be serialized.</source> <target state="translated">Arrays mit mehr als einer Dimension können nicht serialisiert werden.</target> <note /> </trans-unit> <trans-unit id="Value_too_large_to_be_represented_as_a_30_bit_unsigned_integer"> <source>Value too large to be represented as a 30 bit unsigned integer.</source> <target state="translated">Der Wert ist zu groß, um als ganze 30-Bit-Zahl ohne Vorzeichen dargestellt zu werden.</target> <note /> </trans-unit> <trans-unit id="Specified_path_must_be_absolute"> <source>Specified path must be absolute.</source> <target state="translated">Angegebener Pfad muss absolut sein.</target> <note /> </trans-unit> <trans-unit id="Name_can_be_simplified"> <source>Name can be simplified.</source> <target state="translated">Der Name kann vereinfacht werden.</target> <note /> </trans-unit> <trans-unit id="Unknown_identifier"> <source>Unknown identifier.</source> <target state="translated">Unbekannter Bezeichner.</target> <note /> </trans-unit> <trans-unit id="Cannot_generate_code_for_unsupported_operator_0"> <source>Cannot generate code for unsupported operator '{0}'</source> <target state="translated">Kann keinen Code für nicht unterstützten Operator "{0}" generieren</target> <note /> </trans-unit> <trans-unit id="Invalid_number_of_parameters_for_binary_operator"> <source>Invalid number of parameters for binary operator.</source> <target state="translated">Ungültige Parameteranzahl für binären Operator.</target> <note /> </trans-unit> <trans-unit id="Invalid_number_of_parameters_for_unary_operator"> <source>Invalid number of parameters for unary operator.</source> <target state="translated">Ungültige Parameteranzahl für unären Operator.</target> <note /> </trans-unit> <trans-unit id="Cannot_open_project_0_because_the_file_extension_1_is_not_associated_with_a_language"> <source>Cannot open project '{0}' because the file extension '{1}' is not associated with a language.</source> <target state="translated">Projekt "{0}" kann nicht geöffnet werden, da die Dateierweiterung "{1}" keiner Sprache zugeordnet ist.</target> <note /> </trans-unit> <trans-unit id="Cannot_open_project_0_because_the_language_1_is_not_supported"> <source>Cannot open project '{0}' because the language '{1}' is not supported.</source> <target state="translated">Projekt "{0}" kann nicht geöffnet werden, da die Sprache "{1}" nicht unterstützt wird.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_file_path_colon_0"> <source>Invalid project file path: '{0}'</source> <target state="translated">Ungültiger Projektdateipfad: "{0}"</target> <note /> </trans-unit> <trans-unit id="Invalid_solution_file_path_colon_0"> <source>Invalid solution file path: '{0}'</source> <target state="translated">Ungültiger Lösungsdateipfad: "{0}"</target> <note /> </trans-unit> <trans-unit id="Project_file_not_found_colon_0"> <source>Project file not found: '{0}'</source> <target state="translated">Projektdatei nicht gefunden: "{0}"</target> <note /> </trans-unit> <trans-unit id="Solution_file_not_found_colon_0"> <source>Solution file not found: '{0}'</source> <target state="translated">Lösungsdatei nicht gefunden: "{0}"</target> <note /> </trans-unit> <trans-unit id="Unmerged_change_from_project_0"> <source>Unmerged change from project '{0}'</source> <target state="translated">Nicht gemergte Änderung aus Projekt "{0}"</target> <note /> </trans-unit> <trans-unit id="Added_colon"> <source>Added:</source> <target state="translated">Hinzugefügt:</target> <note /> </trans-unit> <trans-unit id="After_colon"> <source>After:</source> <target state="translated">Nach:</target> <note /> </trans-unit> <trans-unit id="Before_colon"> <source>Before:</source> <target state="translated">Vor:</target> <note /> </trans-unit> <trans-unit id="Removed_colon"> <source>Removed:</source> <target state="translated">Entfernt:</target> <note /> </trans-unit> <trans-unit id="Invalid_CodePage_value_colon_0"> <source>Invalid CodePage value: {0}</source> <target state="translated">Ungültiger CodePage-Wert: {0}</target> <note /> </trans-unit> <trans-unit id="Adding_additional_documents_is_not_supported"> <source>Adding additional documents is not supported.</source> <target state="translated">Das Hinzufügen weitere Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_references_is_not_supported"> <source>Adding analyzer references is not supported.</source> <target state="translated">Das Hinzufügen von Verweisen der Analyse wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_documents_is_not_supported"> <source>Adding documents is not supported.</source> <target state="translated">Das Hinzufügen von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_metadata_references_is_not_supported"> <source>Adding metadata references is not supported.</source> <target state="translated">Das Hinzufügen von Verweisen auf Metadaten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_project_references_is_not_supported"> <source>Adding project references is not supported.</source> <target state="translated">Das Hinzufügen von Projektverweisen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_additional_documents_is_not_supported"> <source>Changing additional documents is not supported.</source> <target state="translated">Das Ändern weiterer Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_documents_is_not_supported"> <source>Changing documents is not supported.</source> <target state="translated">Das Ändern von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_project_properties_is_not_supported"> <source>Changing project properties is not supported.</source> <target state="translated">Das Ändern von Projekteigenschaften wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_additional_documents_is_not_supported"> <source>Removing additional documents is not supported.</source> <target state="translated">Das Entfernen weiterer Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_references_is_not_supported"> <source>Removing analyzer references is not supported.</source> <target state="translated">Das Entfernen von Verweisen der Analyse wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_documents_is_not_supported"> <source>Removing documents is not supported.</source> <target state="translated">Das Entfernen von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_metadata_references_is_not_supported"> <source>Removing metadata references is not supported.</source> <target state="translated">Das Entfernen von Verweisen auf Metadaten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_project_references_is_not_supported"> <source>Removing project references is not supported.</source> <target state="translated">Das Entfernen von Projektverweisen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Service_of_type_0_is_required_to_accomplish_the_task_but_is_not_available_from_the_workspace"> <source>Service of type '{0}' is required to accomplish the task but is not available from the workspace.</source> <target state="translated">Ein Dienst vom Typ "{0}" ist zum Ausführen der Aufgabe erforderlich, steht aber im Arbeitsbereich nicht zur Verfügung.</target> <note /> </trans-unit> <trans-unit id="At_least_one_diagnostic_must_be_supplied"> <source>At least one diagnostic must be supplied.</source> <target state="translated">Es muss mindestens eine Diagnose bereitgestellt sein.</target> <note /> </trans-unit> <trans-unit id="Diagnostic_must_have_span_0"> <source>Diagnostic must have span '{0}'</source> <target state="translated">Diagnose muss den Bereich "{0}" enthalten</target> <note /> </trans-unit> <trans-unit id="Cannot_deserialize_type_0"> <source>Cannot deserialize type '{0}'.</source> <target state="translated">Typ "{0}" kann nicht deserialisiert werden.</target> <note /> </trans-unit> <trans-unit id="Cannot_serialize_type_0"> <source>Cannot serialize type '{0}'.</source> <target state="translated">Typ "{0}" kann nicht serialisiert werden.</target> <note /> </trans-unit> <trans-unit id="The_type_0_is_not_understood_by_the_serialization_binder"> <source>The type '{0}' is not understood by the serialization binder.</source> <target state="translated">Der Typ "{0}" wird vom Serialisierungsbinder nicht verstanden.</target> <note /> </trans-unit> <trans-unit id="Label_for_node_0_is_invalid_it_must_be_within_bracket_0_1"> <source>Label for node '{0}' is invalid, it must be within [0, {1}).</source> <target state="translated">Die Bezeichnung für Knoten '{0}' ist ungültig, sie muss innerhalb von [0, {1}) liegen.</target> <note /> </trans-unit> <trans-unit id="Matching_nodes_0_and_1_must_have_the_same_label"> <source>Matching nodes '{0}' and '{1}' must have the same label.</source> <target state="translated">Die übereinstimmenden Knoten '{0}' und '{1}' müssen dieselbe Bezeichnung aufweisen.</target> <note /> </trans-unit> <trans-unit id="Node_0_must_be_contained_in_the_new_tree"> <source>Node '{0}' must be contained in the new tree.</source> <target state="translated">Der Knoten '{0}' muss im neuen Baum enthalten sein.</target> <note /> </trans-unit> <trans-unit id="Node_0_must_be_contained_in_the_old_tree"> <source>Node '{0}' must be contained in the old tree.</source> <target state="translated">Der Knoten '{0}' muss im alten Baum enthalten sein.</target> <note /> </trans-unit> <trans-unit id="The_member_0_is_not_declared_within_the_declaration_of_the_symbol"> <source>The member '{0}' is not declared within the declaration of the symbol.</source> <target state="translated">Der Member '{0}' wird nicht innerhalb der Deklaration des Symbols deklariert.</target> <note /> </trans-unit> <trans-unit id="The_position_is_not_within_the_symbol_s_declaration"> <source>The position is not within the symbol's declaration</source> <target state="translated">Die Position liegt nicht innerhalb der Deklaration des Symbols.</target> <note /> </trans-unit> <trans-unit id="The_symbol_0_cannot_be_located_within_the_current_solution"> <source>The symbol '{0}' cannot be located within the current solution.</source> <target state="translated">Das Symbol '{0}' kann nicht in die aktuelle Projektmappe geladen werden.</target> <note /> </trans-unit> <trans-unit id="Changing_compilation_options_is_not_supported"> <source>Changing compilation options is not supported.</source> <target state="translated">Das Ändern von Kompilierungsoptionen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_parse_options_is_not_supported"> <source>Changing parse options is not supported.</source> <target state="translated">Das Ändern von Analyseoptionen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="The_node_is_not_part_of_the_tree"> <source>The node is not part of the tree.</source> <target state="translated">Dieser Knoten ist nicht Teil des Baums.</target> <note /> </trans-unit> <trans-unit id="This_workspace_does_not_support_opening_and_closing_documents"> <source>This workspace does not support opening and closing documents.</source> <target state="translated">Das Öffnen und Schließen von Dokumenten wird in diesem Arbeitsbereich nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Ausnahmen:</target> <note /> </trans-unit> <trans-unit id="_0_returned_an_uninitialized_ImmutableArray"> <source>'{0}' returned an uninitialized ImmutableArray</source> <target state="translated">"{0}" hat ein nicht initialisiertes "ImmutableArray" zurückgegeben.</target> <note /> </trans-unit> <trans-unit id="Failure"> <source>Failure</source> <target state="translated">Fehler</target> <note /> </trans-unit> <trans-unit id="Warning"> <source>Warning</source> <target state="translated">Warnung</target> <note /> </trans-unit> <trans-unit id="Enable"> <source>Enable</source> <target state="translated">Aktivieren</target> <note /> </trans-unit> <trans-unit id="Enable_and_ignore_future_errors"> <source>Enable and ignore future errors</source> <target state="translated">Aktivieren und weitere Fehler ignorieren</target> <note /> </trans-unit> <trans-unit id="_0_encountered_an_error_and_has_been_disabled"> <source>'{0}' encountered an error and has been disabled.</source> <target state="translated">"{0}" hat einen Fehler festgestellt und wurde deaktiviert.</target> <note /> </trans-unit> <trans-unit id="Show_Stack_Trace"> <source>Show Stack Trace</source> <target state="translated">Stapelüberwachung anzeigen</target> <note /> </trans-unit> <trans-unit id="Stream_is_too_long"> <source>Stream is too long.</source> <target state="translated">Der Datenstrom ist zu lang.</target> <note /> </trans-unit> <trans-unit id="Deserialization_reader_for_0_read_incorrect_number_of_values"> <source>Deserialization reader for '{0}' read incorrect number of values.</source> <target state="translated">Der Deserialisierungsreader für "{0}" hat eine falsche Anzahl von Werten gelesen.</target> <note /> </trans-unit> <trans-unit id="Async_Method"> <source>Async Method</source> <target state="translated">Asynchrone Methode</target> <note>{locked: async}{locked: method} These are keywords (unless the order of words or capitalization should be handled differently)</note> </trans-unit> <trans-unit id="Error"> <source>Error</source> <target state="translated">Fehler</target> <note /> </trans-unit> <trans-unit id="None"> <source>None</source> <target state="translated">NONE</target> <note /> </trans-unit> <trans-unit id="Suggestion"> <source>Suggestion</source> <target state="translated">Vorschlag</target> <note /> </trans-unit> <trans-unit id="File_0_size_of_1_exceeds_maximum_allowed_size_of_2"> <source>File '{0}' size of {1} exceeds maximum allowed size of {2}</source> <target state="translated">Die Größe der Datei "{0}" beträgt {1} und überschreitet so die maximal zulässige Größe von {2}.</target> <note /> </trans-unit> <trans-unit id="Changing_document_property_is_not_supported"> <source>Changing document properties is not supported</source> <target state="translated">Das Ändern der Dokumenteigenschaften wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="dot_NET_Coding_Conventions"> <source>.NET Coding Conventions</source> <target state="translated">.NET-Codierungskonventionen</target> <note /> </trans-unit> <trans-unit id="Variables_captured_colon"> <source>Variables captured:</source> <target state="translated">Erfasste Variablen:</target> <note /> </trans-unit> </body> </file> </xliff>
<?xml version="1.0" encoding="utf-8"?> <xliff xmlns="urn:oasis:names:tc:xliff:document:1.2" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" version="1.2" xsi:schemaLocation="urn:oasis:names:tc:xliff:document:1.2 xliff-core-1.2-transitional.xsd"> <file datatype="xml" source-language="en" target-language="de" original="../WorkspacesResources.resx"> <body> <trans-unit id="A_project_may_not_reference_itself"> <source>A project may not reference itself.</source> <target state="translated">Ein Projekt darf nicht auf sich selbst verweisen.</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_config_documents_is_not_supported"> <source>Adding analyzer config documents is not supported.</source> <target state="translated">Das Hinzufügen von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="An_error_occurred_while_reading_the_specified_configuration_file_colon_0"> <source>An error occurred while reading the specified configuration file: {0}</source> <target state="translated">Beim Lesen der angegebenen Konfigurationsdatei ist ein Fehler aufgetreten: {0}</target> <note /> </trans-unit> <trans-unit id="CSharp_files"> <source>C# files</source> <target state="translated">C#-Dateien</target> <note /> </trans-unit> <trans-unit id="Cannot_apply_action_that_is_not_in_0"> <source>Cannot apply action that is not in '{0}'</source> <target state="translated">Es können nur in "{0}" enthaltene Aktionen angewendet werden.</target> <note /> </trans-unit> <trans-unit id="Changing_analyzer_config_documents_is_not_supported"> <source>Changing analyzer config documents is not supported.</source> <target state="translated">Das Ändern von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_document_0_is_not_supported"> <source>Changing document '{0}' is not supported.</source> <target state="translated">Das Ändern des Dokuments "{0}" wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="CodeAction_{0}_did_not_produce_a_changed_solution"> <source>CodeAction '{0}' did not produce a changed solution</source> <target state="translated">Durch CodeAction "{0}" wurde keine geänderte Lösung erstellt.</target> <note>"CodeAction" is a specific type, and {0} represents the title shown by the action.</note> </trans-unit> <trans-unit id="Core_EditorConfig_Options"> <source>Core EditorConfig Options</source> <target state="translated">Wichtige EditorConfig-Optionen</target> <note /> </trans-unit> <trans-unit id="DateTimeKind_must_be_Utc"> <source>DateTimeKind must be Utc</source> <target state="translated">"DateTimeKind" muss UTC sein.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_1_2_or_3_but_given_one_is_4"> <source>Destination type must be a {0}, {1}, {2} or {3}, but given one is {4}.</source> <target state="translated">Der Zieltyp muss "{0}", "{1}", "{2}" oder "{3}" lauten. Es wurde jedoch "{4}" angegeben.</target> <note /> </trans-unit> <trans-unit id="Document_does_not_support_syntax_trees"> <source>Document does not support syntax trees</source> <target state="translated">Das Dokument unterstützt keine Syntaxstrukturen.</target> <note /> </trans-unit> <trans-unit id="Error_reading_content_of_source_file_0_1"> <source>Error reading content of source file '{0}' -- '{1}'.</source> <target state="translated">Fehler beim Lesen des Inhalts der Quelldatei "{0}": "{1}".</target> <note /> </trans-unit> <trans-unit id="Indentation_and_spacing"> <source>Indentation and spacing</source> <target state="translated">Einzüge und Abstände</target> <note /> </trans-unit> <trans-unit id="New_line_preferences"> <source>New line preferences</source> <target state="translated">Einstellungen für neue Zeilen</target> <note /> </trans-unit> <trans-unit id="Only_submission_project_can_reference_submission_projects"> <source>Only submission project can reference submission projects.</source> <target state="translated">Nur ein Übermittlungsprojekt kann auf Übermittlungsprojekte verweisen.</target> <note /> </trans-unit> <trans-unit id="Options_did_not_come_from_specified_Solution"> <source>Options did not come from specified Solution</source> <target state="translated">Optionen stammen nicht aus der angegebenen Projektmappe.</target> <note /> </trans-unit> <trans-unit id="Predefined_conversion_from_0_to_1"> <source>Predefined conversion from {0} to {1}.</source> <target state="translated">Vordefinierte Konvertierung von "{0}" in "{1}".</target> <note /> </trans-unit> <trans-unit id="Project_does_not_contain_specified_reference"> <source>Project does not contain specified reference</source> <target state="translated">Der angegebene Verweis ist im Projekt nicht enthalten.</target> <note /> </trans-unit> <trans-unit id="Refactoring_Only"> <source>Refactoring Only</source> <target state="translated">Nur Refactoring</target> <note /> </trans-unit> <trans-unit id="Remove_the_line_below_if_you_want_to_inherit_dot_editorconfig_settings_from_higher_directories"> <source>Remove the line below if you want to inherit .editorconfig settings from higher directories</source> <target state="translated">Entfernen Sie die folgende Zeile, wenn Sie EDITORCONFIG-Einstellungen von höheren Verzeichnissen vererben möchten.</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_config_documents_is_not_supported"> <source>Removing analyzer config documents is not supported.</source> <target state="translated">Das Entfernen von Konfigurationsdokumenten des Analysetools wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Rename_0_to_1"> <source>Rename '{0}' to '{1}'</source> <target state="translated">"{0}" in "{1}" umbenennen</target> <note /> </trans-unit> <trans-unit id="Solution_does_not_contain_specified_reference"> <source>Solution does not contain specified reference</source> <target state="translated">Der angegebene Verweis ist nicht in der Projektmappe enthalten.</target> <note /> </trans-unit> <trans-unit id="Symbol_0_is_not_from_source"> <source>Symbol "{0}" is not from source.</source> <target state="translated">Symbol "{0}" ist nicht aus Quelle.</target> <note /> </trans-unit> <trans-unit id="Documentation_comment_id_must_start_with_E_F_M_N_P_or_T"> <source>Documentation comment id must start with E, F, M, N, P or T</source> <target state="translated">Dokumentationskommentar-ID muss mit E, F, M, N, P oder T beginnen</target> <note /> </trans-unit> <trans-unit id="Cycle_detected_in_extensions"> <source>Cycle detected in extensions</source> <target state="translated">Zyklus in Erweiterungen entdeckt</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_but_given_one_is_1"> <source>Destination type must be a {0}, but given one is {1}.</source> <target state="translated">Zieltyp muss {0} sein. Es wurde jedoch {1} angegeben.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_or_a_1_but_given_one_is_2"> <source>Destination type must be a {0} or a {1}, but given one is {2}.</source> <target state="translated">Zieltyp muss {0} oder {1} sein. Es wurde jedoch {2} angegeben.</target> <note /> </trans-unit> <trans-unit id="Destination_type_must_be_a_0_1_or_2_but_given_one_is_3"> <source>Destination type must be a {0}, {1} or {2}, but given one is {3}.</source> <target state="translated">Zieltyp muss {0}, {1} oder {2} sein. Es wurde jedoch {3} angegeben.</target> <note /> </trans-unit> <trans-unit id="Could_not_find_location_to_generation_symbol_into"> <source>Could not find location to generation symbol into.</source> <target state="translated">Konnte keinen Ort finden, in den das Symbol generiert werden kann.</target> <note /> </trans-unit> <trans-unit id="No_location_provided_to_add_statements_to"> <source>No location provided to add statements to.</source> <target state="translated">Kein Ort angegeben, zu dem Anweisungen hinzugefügt werden.</target> <note /> </trans-unit> <trans-unit id="Destination_location_was_not_in_source"> <source>Destination location was not in source.</source> <target state="translated">Zielort war nicht in Quelle.</target> <note /> </trans-unit> <trans-unit id="Destination_location_was_from_a_different_tree"> <source>Destination location was from a different tree.</source> <target state="translated">Zielort stammt aus anderem Baum.</target> <note /> </trans-unit> <trans-unit id="Node_is_of_the_wrong_type"> <source>Node is of the wrong type.</source> <target state="translated">Knoten hat den falschen Typ.</target> <note /> </trans-unit> <trans-unit id="Location_must_be_null_or_from_source"> <source>Location must be null or from source.</source> <target state="translated">Ort muss null oder von Quelle sein.</target> <note /> </trans-unit> <trans-unit id="Duplicate_source_file_0_in_project_1"> <source>Duplicate source file '{0}' in project '{1}'</source> <target state="translated">Doppelte Quelldatei "{0}" in Projekt "{1}"</target> <note /> </trans-unit> <trans-unit id="Removing_projects_is_not_supported"> <source>Removing projects is not supported.</source> <target state="translated">Das Entfernen von Projekten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_projects_is_not_supported"> <source>Adding projects is not supported.</source> <target state="translated">Das Hinzufügen von Projekten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Symbols_project_could_not_be_found_in_the_provided_solution"> <source>Symbol's project could not be found in the provided solution</source> <target state="translated">Das Projekt des Symbols wurde in der angegebenen Projektmappe nicht gefunden.</target> <note /> </trans-unit> <trans-unit id="Sync_namespace_to_folder_structure"> <source>Sync namespace to folder structure</source> <target state="translated">Namespace mit Ordnerstruktur synchronisieren</target> <note /> </trans-unit> <trans-unit id="The_contents_of_a_SourceGeneratedDocument_may_not_be_changed"> <source>The contents of a SourceGeneratedDocument may not be changed.</source> <target state="translated">Der Inhalt eines SourceGeneratedDocument kann nicht geändert werden.</target> <note>{locked:SourceGeneratedDocument}</note> </trans-unit> <trans-unit id="The_project_already_contains_the_specified_reference"> <source>The project already contains the specified reference.</source> <target state="translated">Im Projekt ist der angegebene Verweis bereits enthalten.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_reference"> <source>The solution already contains the specified reference.</source> <target state="translated">Der angegebene Verweis ist bereits in der Projektmappe enthalten.</target> <note /> </trans-unit> <trans-unit id="Unknown"> <source>Unknown</source> <target state="translated">Unbekannt</target> <note /> </trans-unit> <trans-unit id="Visual_Basic_files"> <source>Visual Basic files</source> <target state="translated">Visual Basic-Dateien</target> <note /> </trans-unit> <trans-unit id="Warning_adding_imports_will_bring_an_extension_method_into_scope_with_the_same_name_as_member_access"> <source>Adding imports will bring an extension method into scope with the same name as '{0}'</source> <target state="translated">Durch das Hinzufügen von Importen wird eine Erweiterungsmethode mit dem gleichen Namen wie "{0}" in den Bereich eingeführt.</target> <note /> </trans-unit> <trans-unit id="Workspace_error"> <source>Workspace error</source> <target state="translated">Arbeitsbereichsfehler</target> <note /> </trans-unit> <trans-unit id="Workspace_is_not_empty"> <source>Workspace is not empty.</source> <target state="translated">Arbeitsbereich ist nicht leer.</target> <note /> </trans-unit> <trans-unit id="_0_is_in_a_different_project"> <source>{0} is in a different project.</source> <target state="translated">"{0}" befindet sich in einem anderen Projekt.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_part_of_the_workspace"> <source>'{0}' is not part of the workspace.</source> <target state="translated">"{0}" ist nicht Teil des Arbeitsbereichs.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_part_of_the_workspace"> <source>'{0}' is already part of the workspace.</source> <target state="translated">"{0}" ist bereits Teil des Arbeitsbereichs.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_referenced"> <source>'{0}' is not referenced.</source> <target state="translated">"{0}" ist nicht referenziert.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_referenced"> <source>'{0}' is already referenced.</source> <target state="translated">"{0}" ist bereits referenziert.</target> <note /> </trans-unit> <trans-unit id="Adding_project_reference_from_0_to_1_will_cause_a_circular_reference"> <source>Adding project reference from '{0}' to '{1}' will cause a circular reference.</source> <target state="translated">Das Hinzufügen der Projektreferenz "{0}" zu "{1}" wird einen Zirkelbezug verursachen.</target> <note /> </trans-unit> <trans-unit id="Metadata_is_not_referenced"> <source>Metadata is not referenced.</source> <target state="translated">Metadaten sind nicht referenziert.</target> <note /> </trans-unit> <trans-unit id="Metadata_is_already_referenced"> <source>Metadata is already referenced.</source> <target state="translated">Metadaten sind bereits referenziert.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_present"> <source>{0} is not present.</source> <target state="translated">{0} ist nicht vorhanden.</target> <note /> </trans-unit> <trans-unit id="_0_is_already_present"> <source>{0} is already present.</source> <target state="translated">{0} ist bereits vorhanden.</target> <note /> </trans-unit> <trans-unit id="The_specified_document_is_not_a_version_of_this_document"> <source>The specified document is not a version of this document.</source> <target state="translated">Das angegebene Dokument ist keine Version dieses Dokuments.</target> <note /> </trans-unit> <trans-unit id="The_language_0_is_not_supported"> <source>The language '{0}' is not supported.</source> <target state="translated">Die Sprache "{0}" wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_project"> <source>The solution already contains the specified project.</source> <target state="translated">Die Lösung enthält bereits das angegebene Projekt.</target> <note /> </trans-unit> <trans-unit id="The_solution_does_not_contain_the_specified_project"> <source>The solution does not contain the specified project.</source> <target state="translated">Lösung enthält nicht das angegebene Projekt.</target> <note /> </trans-unit> <trans-unit id="The_project_already_references_the_target_project"> <source>The project already references the target project.</source> <target state="translated">Das Projekt verweist bereits auf das Zielprojekt.</target> <note /> </trans-unit> <trans-unit id="The_solution_already_contains_the_specified_document"> <source>The solution already contains the specified document.</source> <target state="translated">Die Lösung enthält bereits das angegebene Dokument.</target> <note /> </trans-unit> <trans-unit id="Temporary_storage_cannot_be_written_more_than_once"> <source>Temporary storage cannot be written more than once.</source> <target state="translated">Temporärer Speicher kann nicht mehr als einmal geschrieben werden.</target> <note /> </trans-unit> <trans-unit id="_0_is_not_open"> <source>'{0}' is not open.</source> <target state="translated">"{0}" ist nicht geöffnet.</target> <note /> </trans-unit> <trans-unit id="A_language_name_cannot_be_specified_for_this_option"> <source>A language name cannot be specified for this option.</source> <target state="translated">Für diese Option kann kein Sprachenname angegeben werden.</target> <note /> </trans-unit> <trans-unit id="A_language_name_must_be_specified_for_this_option"> <source>A language name must be specified for this option.</source> <target state="translated">Für diese Option muss ein Sprachenname angegeben werden.</target> <note /> </trans-unit> <trans-unit id="File_was_externally_modified_colon_0"> <source>File was externally modified: {0}.</source> <target state="translated">Datei wurde extern modifiziert: {0}.</target> <note /> </trans-unit> <trans-unit id="Unrecognized_language_name"> <source>Unrecognized language name.</source> <target state="translated">Unerkannter Sprachenname.</target> <note /> </trans-unit> <trans-unit id="Can_t_resolve_metadata_reference_colon_0"> <source>Can't resolve metadata reference: '{0}'.</source> <target state="translated">Metadatenreferenz kann nicht aufgelöst werden: "{0}".</target> <note /> </trans-unit> <trans-unit id="Can_t_resolve_analyzer_reference_colon_0"> <source>Can't resolve analyzer reference: '{0}'.</source> <target state="translated">Analysereferenz kann nicht aufgelöst werden: "{0}".</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_Project"> <source>Invalid project block, expected "=" after Project.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "=" nach Projekt.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_project_name"> <source>Invalid project block, expected "," after project name.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "," nach Projektname.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_block_expected_after_project_path"> <source>Invalid project block, expected "," after project path.</source> <target state="translated">Ungültiger Projektblock, erwartet wird "," nach Projektpfad.</target> <note /> </trans-unit> <trans-unit id="Expected_0"> <source>Expected {0}.</source> <target state="translated">Erwartet wird {0}.</target> <note /> </trans-unit> <trans-unit id="_0_must_be_a_non_null_and_non_empty_string"> <source>"{0}" must be a non-null and non-empty string.</source> <target state="translated">"{0}" muss eine Zeichenfolge sein, die nicht null und nicht leer ist.</target> <note /> </trans-unit> <trans-unit id="Expected_header_colon_0"> <source>Expected header: "{0}".</source> <target state="translated">Erwartete Überschrift: "{0}".</target> <note /> </trans-unit> <trans-unit id="Expected_end_of_file"> <source>Expected end-of-file.</source> <target state="translated">Erwartetes Dateiende.</target> <note /> </trans-unit> <trans-unit id="Expected_0_line"> <source>Expected {0} line.</source> <target state="translated">Erwartete {0}-Zeile.</target> <note /> </trans-unit> <trans-unit id="This_submission_already_references_another_submission_project"> <source>This submission already references another submission project.</source> <target state="translated">Diese Übermittlung verweist bereits auf ein anderes Übermittlungsprojekt.</target> <note /> </trans-unit> <trans-unit id="_0_still_contains_open_documents"> <source>{0} still contains open documents.</source> <target state="translated">{0} enthält noch offene Dokumente.</target> <note /> </trans-unit> <trans-unit id="_0_is_still_open"> <source>{0} is still open.</source> <target state="translated">"{0}" ist noch geöffnet.</target> <note /> </trans-unit> <trans-unit id="Arrays_with_more_than_one_dimension_cannot_be_serialized"> <source>Arrays with more than one dimension cannot be serialized.</source> <target state="translated">Arrays mit mehr als einer Dimension können nicht serialisiert werden.</target> <note /> </trans-unit> <trans-unit id="Value_too_large_to_be_represented_as_a_30_bit_unsigned_integer"> <source>Value too large to be represented as a 30 bit unsigned integer.</source> <target state="translated">Der Wert ist zu groß, um als ganze 30-Bit-Zahl ohne Vorzeichen dargestellt zu werden.</target> <note /> </trans-unit> <trans-unit id="Specified_path_must_be_absolute"> <source>Specified path must be absolute.</source> <target state="translated">Angegebener Pfad muss absolut sein.</target> <note /> </trans-unit> <trans-unit id="Name_can_be_simplified"> <source>Name can be simplified.</source> <target state="translated">Der Name kann vereinfacht werden.</target> <note /> </trans-unit> <trans-unit id="Unknown_identifier"> <source>Unknown identifier.</source> <target state="translated">Unbekannter Bezeichner.</target> <note /> </trans-unit> <trans-unit id="Cannot_generate_code_for_unsupported_operator_0"> <source>Cannot generate code for unsupported operator '{0}'</source> <target state="translated">Kann keinen Code für nicht unterstützten Operator "{0}" generieren</target> <note /> </trans-unit> <trans-unit id="Invalid_number_of_parameters_for_binary_operator"> <source>Invalid number of parameters for binary operator.</source> <target state="translated">Ungültige Parameteranzahl für binären Operator.</target> <note /> </trans-unit> <trans-unit id="Invalid_number_of_parameters_for_unary_operator"> <source>Invalid number of parameters for unary operator.</source> <target state="translated">Ungültige Parameteranzahl für unären Operator.</target> <note /> </trans-unit> <trans-unit id="Cannot_open_project_0_because_the_file_extension_1_is_not_associated_with_a_language"> <source>Cannot open project '{0}' because the file extension '{1}' is not associated with a language.</source> <target state="translated">Projekt "{0}" kann nicht geöffnet werden, da die Dateierweiterung "{1}" keiner Sprache zugeordnet ist.</target> <note /> </trans-unit> <trans-unit id="Cannot_open_project_0_because_the_language_1_is_not_supported"> <source>Cannot open project '{0}' because the language '{1}' is not supported.</source> <target state="translated">Projekt "{0}" kann nicht geöffnet werden, da die Sprache "{1}" nicht unterstützt wird.</target> <note /> </trans-unit> <trans-unit id="Invalid_project_file_path_colon_0"> <source>Invalid project file path: '{0}'</source> <target state="translated">Ungültiger Projektdateipfad: "{0}"</target> <note /> </trans-unit> <trans-unit id="Invalid_solution_file_path_colon_0"> <source>Invalid solution file path: '{0}'</source> <target state="translated">Ungültiger Lösungsdateipfad: "{0}"</target> <note /> </trans-unit> <trans-unit id="Project_file_not_found_colon_0"> <source>Project file not found: '{0}'</source> <target state="translated">Projektdatei nicht gefunden: "{0}"</target> <note /> </trans-unit> <trans-unit id="Solution_file_not_found_colon_0"> <source>Solution file not found: '{0}'</source> <target state="translated">Lösungsdatei nicht gefunden: "{0}"</target> <note /> </trans-unit> <trans-unit id="Unmerged_change_from_project_0"> <source>Unmerged change from project '{0}'</source> <target state="translated">Nicht gemergte Änderung aus Projekt "{0}"</target> <note /> </trans-unit> <trans-unit id="Added_colon"> <source>Added:</source> <target state="translated">Hinzugefügt:</target> <note /> </trans-unit> <trans-unit id="After_colon"> <source>After:</source> <target state="translated">Nach:</target> <note /> </trans-unit> <trans-unit id="Before_colon"> <source>Before:</source> <target state="translated">Vor:</target> <note /> </trans-unit> <trans-unit id="Removed_colon"> <source>Removed:</source> <target state="translated">Entfernt:</target> <note /> </trans-unit> <trans-unit id="Invalid_CodePage_value_colon_0"> <source>Invalid CodePage value: {0}</source> <target state="translated">Ungültiger CodePage-Wert: {0}</target> <note /> </trans-unit> <trans-unit id="Adding_additional_documents_is_not_supported"> <source>Adding additional documents is not supported.</source> <target state="translated">Das Hinzufügen weitere Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_analyzer_references_is_not_supported"> <source>Adding analyzer references is not supported.</source> <target state="translated">Das Hinzufügen von Verweisen der Analyse wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_documents_is_not_supported"> <source>Adding documents is not supported.</source> <target state="translated">Das Hinzufügen von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_metadata_references_is_not_supported"> <source>Adding metadata references is not supported.</source> <target state="translated">Das Hinzufügen von Verweisen auf Metadaten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Adding_project_references_is_not_supported"> <source>Adding project references is not supported.</source> <target state="translated">Das Hinzufügen von Projektverweisen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_additional_documents_is_not_supported"> <source>Changing additional documents is not supported.</source> <target state="translated">Das Ändern weiterer Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_documents_is_not_supported"> <source>Changing documents is not supported.</source> <target state="translated">Das Ändern von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_project_properties_is_not_supported"> <source>Changing project properties is not supported.</source> <target state="translated">Das Ändern von Projekteigenschaften wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_additional_documents_is_not_supported"> <source>Removing additional documents is not supported.</source> <target state="translated">Das Entfernen weiterer Dokumente wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_analyzer_references_is_not_supported"> <source>Removing analyzer references is not supported.</source> <target state="translated">Das Entfernen von Verweisen der Analyse wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_documents_is_not_supported"> <source>Removing documents is not supported.</source> <target state="translated">Das Entfernen von Dokumenten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_metadata_references_is_not_supported"> <source>Removing metadata references is not supported.</source> <target state="translated">Das Entfernen von Verweisen auf Metadaten wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Removing_project_references_is_not_supported"> <source>Removing project references is not supported.</source> <target state="translated">Das Entfernen von Projektverweisen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Service_of_type_0_is_required_to_accomplish_the_task_but_is_not_available_from_the_workspace"> <source>Service of type '{0}' is required to accomplish the task but is not available from the workspace.</source> <target state="translated">Ein Dienst vom Typ "{0}" ist zum Ausführen der Aufgabe erforderlich, steht aber im Arbeitsbereich nicht zur Verfügung.</target> <note /> </trans-unit> <trans-unit id="At_least_one_diagnostic_must_be_supplied"> <source>At least one diagnostic must be supplied.</source> <target state="translated">Es muss mindestens eine Diagnose bereitgestellt sein.</target> <note /> </trans-unit> <trans-unit id="Diagnostic_must_have_span_0"> <source>Diagnostic must have span '{0}'</source> <target state="translated">Diagnose muss den Bereich "{0}" enthalten</target> <note /> </trans-unit> <trans-unit id="Cannot_deserialize_type_0"> <source>Cannot deserialize type '{0}'.</source> <target state="translated">Typ "{0}" kann nicht deserialisiert werden.</target> <note /> </trans-unit> <trans-unit id="Cannot_serialize_type_0"> <source>Cannot serialize type '{0}'.</source> <target state="translated">Typ "{0}" kann nicht serialisiert werden.</target> <note /> </trans-unit> <trans-unit id="The_type_0_is_not_understood_by_the_serialization_binder"> <source>The type '{0}' is not understood by the serialization binder.</source> <target state="translated">Der Typ "{0}" wird vom Serialisierungsbinder nicht verstanden.</target> <note /> </trans-unit> <trans-unit id="Label_for_node_0_is_invalid_it_must_be_within_bracket_0_1"> <source>Label for node '{0}' is invalid, it must be within [0, {1}).</source> <target state="translated">Die Bezeichnung für Knoten '{0}' ist ungültig, sie muss innerhalb von [0, {1}) liegen.</target> <note /> </trans-unit> <trans-unit id="Matching_nodes_0_and_1_must_have_the_same_label"> <source>Matching nodes '{0}' and '{1}' must have the same label.</source> <target state="translated">Die übereinstimmenden Knoten '{0}' und '{1}' müssen dieselbe Bezeichnung aufweisen.</target> <note /> </trans-unit> <trans-unit id="Node_0_must_be_contained_in_the_new_tree"> <source>Node '{0}' must be contained in the new tree.</source> <target state="translated">Der Knoten '{0}' muss im neuen Baum enthalten sein.</target> <note /> </trans-unit> <trans-unit id="Node_0_must_be_contained_in_the_old_tree"> <source>Node '{0}' must be contained in the old tree.</source> <target state="translated">Der Knoten '{0}' muss im alten Baum enthalten sein.</target> <note /> </trans-unit> <trans-unit id="The_member_0_is_not_declared_within_the_declaration_of_the_symbol"> <source>The member '{0}' is not declared within the declaration of the symbol.</source> <target state="translated">Der Member '{0}' wird nicht innerhalb der Deklaration des Symbols deklariert.</target> <note /> </trans-unit> <trans-unit id="The_position_is_not_within_the_symbol_s_declaration"> <source>The position is not within the symbol's declaration</source> <target state="translated">Die Position liegt nicht innerhalb der Deklaration des Symbols.</target> <note /> </trans-unit> <trans-unit id="The_symbol_0_cannot_be_located_within_the_current_solution"> <source>The symbol '{0}' cannot be located within the current solution.</source> <target state="translated">Das Symbol '{0}' kann nicht in die aktuelle Projektmappe geladen werden.</target> <note /> </trans-unit> <trans-unit id="Changing_compilation_options_is_not_supported"> <source>Changing compilation options is not supported.</source> <target state="translated">Das Ändern von Kompilierungsoptionen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Changing_parse_options_is_not_supported"> <source>Changing parse options is not supported.</source> <target state="translated">Das Ändern von Analyseoptionen wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="The_node_is_not_part_of_the_tree"> <source>The node is not part of the tree.</source> <target state="translated">Dieser Knoten ist nicht Teil des Baums.</target> <note /> </trans-unit> <trans-unit id="This_workspace_does_not_support_opening_and_closing_documents"> <source>This workspace does not support opening and closing documents.</source> <target state="translated">Das Öffnen und Schließen von Dokumenten wird in diesem Arbeitsbereich nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="Exceptions_colon"> <source>Exceptions:</source> <target state="translated">Ausnahmen:</target> <note /> </trans-unit> <trans-unit id="_0_returned_an_uninitialized_ImmutableArray"> <source>'{0}' returned an uninitialized ImmutableArray</source> <target state="translated">"{0}" hat ein nicht initialisiertes "ImmutableArray" zurückgegeben.</target> <note /> </trans-unit> <trans-unit id="Failure"> <source>Failure</source> <target state="translated">Fehler</target> <note /> </trans-unit> <trans-unit id="Warning"> <source>Warning</source> <target state="translated">Warnung</target> <note /> </trans-unit> <trans-unit id="Enable"> <source>Enable</source> <target state="translated">Aktivieren</target> <note /> </trans-unit> <trans-unit id="Enable_and_ignore_future_errors"> <source>Enable and ignore future errors</source> <target state="translated">Aktivieren und weitere Fehler ignorieren</target> <note /> </trans-unit> <trans-unit id="_0_encountered_an_error_and_has_been_disabled"> <source>'{0}' encountered an error and has been disabled.</source> <target state="translated">"{0}" hat einen Fehler festgestellt und wurde deaktiviert.</target> <note /> </trans-unit> <trans-unit id="Show_Stack_Trace"> <source>Show Stack Trace</source> <target state="translated">Stapelüberwachung anzeigen</target> <note /> </trans-unit> <trans-unit id="Stream_is_too_long"> <source>Stream is too long.</source> <target state="translated">Der Datenstrom ist zu lang.</target> <note /> </trans-unit> <trans-unit id="Deserialization_reader_for_0_read_incorrect_number_of_values"> <source>Deserialization reader for '{0}' read incorrect number of values.</source> <target state="translated">Der Deserialisierungsreader für "{0}" hat eine falsche Anzahl von Werten gelesen.</target> <note /> </trans-unit> <trans-unit id="Async_Method"> <source>Async Method</source> <target state="translated">Asynchrone Methode</target> <note>{locked: async}{locked: method} These are keywords (unless the order of words or capitalization should be handled differently)</note> </trans-unit> <trans-unit id="Error"> <source>Error</source> <target state="translated">Fehler</target> <note /> </trans-unit> <trans-unit id="None"> <source>None</source> <target state="translated">NONE</target> <note /> </trans-unit> <trans-unit id="Suggestion"> <source>Suggestion</source> <target state="translated">Vorschlag</target> <note /> </trans-unit> <trans-unit id="File_0_size_of_1_exceeds_maximum_allowed_size_of_2"> <source>File '{0}' size of {1} exceeds maximum allowed size of {2}</source> <target state="translated">Die Größe der Datei "{0}" beträgt {1} und überschreitet so die maximal zulässige Größe von {2}.</target> <note /> </trans-unit> <trans-unit id="Changing_document_property_is_not_supported"> <source>Changing document properties is not supported</source> <target state="translated">Das Ändern der Dokumenteigenschaften wird nicht unterstützt.</target> <note /> </trans-unit> <trans-unit id="dot_NET_Coding_Conventions"> <source>.NET Coding Conventions</source> <target state="translated">.NET-Codierungskonventionen</target> <note /> </trans-unit> <trans-unit id="Variables_captured_colon"> <source>Variables captured:</source> <target state="translated">Erfasste Variablen:</target> <note /> </trans-unit> </body> </file> </xliff>
-1